diff --git a/bindings/dotnet/src/DecentDB.EntityFrameworkCore/Storage/Internal/DecentDBTypeMappingSource.cs b/bindings/dotnet/src/DecentDB.EntityFrameworkCore/Storage/Internal/DecentDBTypeMappingSource.cs
index f5c4311..e77dfb8 100644
--- a/bindings/dotnet/src/DecentDB.EntityFrameworkCore/Storage/Internal/DecentDBTypeMappingSource.cs
+++ b/bindings/dotnet/src/DecentDB.EntityFrameworkCore/Storage/Internal/DecentDBTypeMappingSource.cs
@@ -129,6 +129,13 @@ public DecentDBTypeMappingSource(
var clrType = Nullable.GetUnderlyingType(mappingInfo.ClrType ?? typeof(object)) ?? mappingInfo.ClrType;
if (clrType != null && _clrMappings.TryGetValue(clrType, out var clrMapping))
{
+ // For decimal types, respect precision/scale from EF Core model configuration
+ // (e.g. HavePrecision, HasPrecision, or HasColumnType with precision)
+ if (clrType == typeof(decimal))
+ {
+ return CreateDecimalMapping(mappingInfo, mappingInfo.StoreTypeName);
+ }
+
return clrMapping;
}
@@ -138,6 +145,12 @@ public DecentDBTypeMappingSource(
var normalized = NormalizeStoreTypeName(storeType);
if (_storeMappings.TryGetValue(normalized, out var storeMapping))
{
+ // For DECIMAL/NUMERIC store types, respect precision/scale from store type name or mappingInfo
+ if (normalized is "DECIMAL" or "NUMERIC")
+ {
+ return CreateDecimalMapping(mappingInfo, mappingInfo.StoreTypeName ?? storeType);
+ }
+
return storeMapping;
}
}
@@ -145,6 +158,55 @@ public DecentDBTypeMappingSource(
return null;
}
+ private static DecimalTypeMapping CreateDecimalMapping(
+ in RelationalTypeMappingInfo mappingInfo,
+ string? storeTypeName)
+ {
+ const int defaultPrecision = 18;
+ const int defaultScale = 4;
+
+ var precision = mappingInfo.Precision;
+ var scale = mappingInfo.Scale;
+
+ // If precision/scale not provided by EF Core model, try parsing from store type name
+ if (!precision.HasValue && !scale.HasValue && !string.IsNullOrWhiteSpace(storeTypeName))
+ {
+ (precision, scale) = ParsePrecisionScale(storeTypeName);
+ }
+
+ var p = precision ?? defaultPrecision;
+ var s = scale ?? defaultScale;
+
+ return new DecimalTypeMapping($"DECIMAL({p},{s})", DbType.Decimal, precision: p, scale: s);
+ }
+
+ private static (int? precision, int? scale) ParsePrecisionScale(string storeTypeName)
+ {
+ var openParen = storeTypeName.IndexOf('(');
+ var closeParen = storeTypeName.IndexOf(')');
+ if (openParen < 0 || closeParen <= openParen)
+ {
+ return (null, null);
+ }
+
+ var inner = storeTypeName.AsSpan()[(openParen + 1)..closeParen];
+ var commaIdx = inner.IndexOf(',');
+
+ if (commaIdx >= 0
+ && int.TryParse(inner[..commaIdx].Trim(), out var p)
+ && int.TryParse(inner[(commaIdx + 1)..].Trim(), out var s))
+ {
+ return (p, s);
+ }
+
+ if (int.TryParse(inner.Trim(), out var pOnly))
+ {
+ return (pOnly, null);
+ }
+
+ return (null, null);
+ }
+
private static string NormalizeStoreTypeName(string storeTypeName)
{
var idx = storeTypeName.IndexOf('(');
diff --git a/bindings/dotnet/tests/DecentDB.EntityFrameworkCore.Tests/DecimalPrecisionTests.cs b/bindings/dotnet/tests/DecentDB.EntityFrameworkCore.Tests/DecimalPrecisionTests.cs
new file mode 100644
index 0000000..aa95ccf
--- /dev/null
+++ b/bindings/dotnet/tests/DecentDB.EntityFrameworkCore.Tests/DecimalPrecisionTests.cs
@@ -0,0 +1,219 @@
+using DecentDB.EntityFrameworkCore;
+using Microsoft.EntityFrameworkCore;
+using Microsoft.EntityFrameworkCore.Infrastructure;
+using Microsoft.EntityFrameworkCore.Storage;
+using Xunit;
+
+namespace DecentDB.EntityFrameworkCore.Tests;
+
+///
+/// Verifies that the EF Core provider respects decimal precision and scale
+/// from ConfigureConventions, HasPrecision, and HasColumnType.
+///
+public sealed class DecimalPrecisionTests : IDisposable
+{
+ private readonly string _tempDir = Path.Combine(Path.GetTempPath(), $"decentdb_prec_{Guid.NewGuid():N}");
+
+ public DecimalPrecisionTests()
+ {
+ Directory.CreateDirectory(_tempDir);
+ }
+
+ public void Dispose()
+ {
+ if (Directory.Exists(_tempDir))
+ {
+ Directory.Delete(_tempDir, true);
+ }
+ }
+
+ [Fact]
+ public void DefaultDecimalMapping_UsesDefaultPrecisionAndScale()
+ {
+ var dbPath = Path.Combine(_tempDir, "default.ddb");
+ using var context = CreateContext(dbPath);
+ var mappingSource = context.GetService();
+
+ var mapping = (RelationalTypeMapping)mappingSource.FindMapping(typeof(decimal))!;
+ Assert.Equal("DECIMAL(18,4)", mapping.StoreType);
+ }
+
+ [Fact]
+ public void ConfigureConventions_HavePrecision_IsRespected()
+ {
+ var dbPath = Path.Combine(_tempDir, "conventions.ddb");
+ using var context = CreateContext(dbPath);
+
+ context.Database.EnsureCreated();
+
+ context.Items.Add(new PrecisionItem { Value = 123.456789m });
+ context.SaveChanges();
+
+ var item = context.Items.First();
+ Assert.Equal(123.456789m, item.Value);
+ }
+
+ [Fact]
+ public void HasPrecision_OnProperty_IsRespected()
+ {
+ var dbPath = Path.Combine(_tempDir, "hasprecision.ddb");
+ using var context = CreateContext(dbPath);
+
+ context.Database.EnsureCreated();
+
+ context.Items.Add(new PrecisionItem { Value = 99.12m });
+ context.SaveChanges();
+
+ var item = context.Items.First();
+ Assert.Equal(99.12m, item.Value);
+ }
+
+ [Fact]
+ public void HasColumnType_WithPrecisionScale_IsRespected()
+ {
+ var dbPath = Path.Combine(_tempDir, "columntype.ddb");
+ using var context = CreateContext(dbPath);
+
+ context.Database.EnsureCreated();
+
+ context.Items.Add(new PrecisionItem { Value = 12345.67m });
+ context.SaveChanges();
+
+ var item = context.Items.First();
+ Assert.Equal(12345.67m, item.Value);
+ }
+
+ [Fact]
+ public void NullableDecimal_WithPrecision_IsRespected()
+ {
+ var dbPath = Path.Combine(_tempDir, "nullable.ddb");
+ using var context = CreateContext(dbPath);
+
+ context.Database.EnsureCreated();
+
+ context.Items.Add(new NullableDecimalItem { Value = 42.123456m });
+ context.Items.Add(new NullableDecimalItem { Value = null });
+ context.SaveChanges();
+
+ var items = context.Items.OrderBy(i => i.Id).ToList();
+ Assert.Equal(42.123456m, items[0].Value);
+ Assert.Null(items[1].Value);
+ }
+
+ [Fact]
+ public void MultipleDecimalProperties_WithDifferentPrecisions()
+ {
+ var dbPath = Path.Combine(_tempDir, "multi.ddb");
+ using var context = CreateContext(dbPath);
+
+ context.Database.EnsureCreated();
+
+ context.Items.Add(new MultiDecimalItem
+ {
+ Price = 99.99m,
+ TaxRate = 0.0825m,
+ Weight = 1234.5m
+ });
+ context.SaveChanges();
+
+ var item = context.Items.First();
+ Assert.Equal(99.99m, item.Price);
+ Assert.Equal(0.0825m, item.TaxRate);
+ Assert.Equal(1234.5m, item.Weight);
+ }
+
+ private static TContext CreateContext(string dbPath) where TContext : DbContext
+ {
+ var options = new DbContextOptionsBuilder()
+ .UseDecentDB($"Data Source={dbPath}")
+ .Options;
+ return (TContext)Activator.CreateInstance(typeof(TContext), options)!;
+ }
+
+ #region Test entities and contexts
+
+ public class PrecisionItem
+ {
+ public int Id { get; set; }
+ public decimal Value { get; set; }
+ }
+
+ public class NullableDecimalItem
+ {
+ public int Id { get; set; }
+ public decimal? Value { get; set; }
+ }
+
+ public class MultiDecimalItem
+ {
+ public int Id { get; set; }
+ public decimal Price { get; set; }
+ public decimal TaxRate { get; set; }
+ public decimal Weight { get; set; }
+ }
+
+ private sealed class DefaultDecimalContext : DbContext
+ {
+ public DefaultDecimalContext(DbContextOptions options) : base(options) { }
+ public DbSet Items { get; set; } = null!;
+ }
+
+ private sealed class CustomPrecisionConventionContext : DbContext
+ {
+ public CustomPrecisionConventionContext(DbContextOptions options) : base(options) { }
+ public DbSet Items { get; set; } = null!;
+
+ protected override void ConfigureConventions(ModelConfigurationBuilder configurationBuilder)
+ {
+ configurationBuilder.Properties().HavePrecision(18, 6);
+ }
+ }
+
+ private sealed class PropertyPrecisionContext : DbContext
+ {
+ public PropertyPrecisionContext(DbContextOptions options) : base(options) { }
+ public DbSet Items { get; set; } = null!;
+
+ protected override void OnModelCreating(ModelBuilder modelBuilder)
+ {
+ modelBuilder.Entity().Property(e => e.Value).HasPrecision(10, 2);
+ }
+ }
+
+ private sealed class ColumnTypeContext : DbContext
+ {
+ public ColumnTypeContext(DbContextOptions options) : base(options) { }
+ public DbSet Items { get; set; } = null!;
+
+ protected override void OnModelCreating(ModelBuilder modelBuilder)
+ {
+ modelBuilder.Entity().Property(e => e.Value).HasColumnType("DECIMAL(10,2)");
+ }
+ }
+
+ private sealed class NullableDecimalContext : DbContext
+ {
+ public NullableDecimalContext(DbContextOptions options) : base(options) { }
+ public DbSet Items { get; set; } = null!;
+
+ protected override void ConfigureConventions(ModelConfigurationBuilder configurationBuilder)
+ {
+ configurationBuilder.Properties().HavePrecision(18, 6);
+ }
+ }
+
+ private sealed class MultiPrecisionContext : DbContext
+ {
+ public MultiPrecisionContext(DbContextOptions options) : base(options) { }
+ public DbSet Items { get; set; } = null!;
+
+ protected override void OnModelCreating(ModelBuilder modelBuilder)
+ {
+ modelBuilder.Entity().Property(e => e.Price).HasPrecision(10, 2);
+ modelBuilder.Entity().Property(e => e.TaxRate).HasPrecision(8, 4);
+ modelBuilder.Entity().Property(e => e.Weight).HasPrecision(12, 1);
+ }
+ }
+
+ #endregion
+}
diff --git a/bindings/dotnet/tests/DecentDB.EntityFrameworkCore.Tests/EfFunctionsLikeTests.cs b/bindings/dotnet/tests/DecentDB.EntityFrameworkCore.Tests/EfFunctionsLikeTests.cs
new file mode 100644
index 0000000..187f95b
--- /dev/null
+++ b/bindings/dotnet/tests/DecentDB.EntityFrameworkCore.Tests/EfFunctionsLikeTests.cs
@@ -0,0 +1,63 @@
+using DecentDB.EntityFrameworkCore;
+using Microsoft.EntityFrameworkCore;
+using Xunit;
+
+namespace DecentDB.EntityFrameworkCore.Tests;
+
+///
+/// Verifies EF.Functions.Like translation for DecentDB.
+/// EF Core's base RelationalMethodCallTranslatorProvider should translate
+/// EF.Functions.Like to SQL LIKE. This test confirms it works with DecentDB.
+///
+public sealed class EfFunctionsLikeTests : IDisposable
+{
+ private readonly string _tempDir = Path.Combine(Path.GetTempPath(), $"decentdb_like_{Guid.NewGuid():N}");
+
+ public EfFunctionsLikeTests()
+ {
+ Directory.CreateDirectory(_tempDir);
+ }
+
+ public void Dispose()
+ {
+ if (Directory.Exists(_tempDir))
+ Directory.Delete(_tempDir, true);
+ }
+
+ [Fact]
+ public void EfFunctionsLike_TranslatesToSqlLike()
+ {
+ var dbPath = Path.Combine(_tempDir, "like.ddb");
+ using var context = CreateContext(dbPath);
+ context.Database.EnsureCreated();
+
+ context.Items.AddRange(
+ new LikeTestItem { Name = "Alice" },
+ new LikeTestItem { Name = "Bob" },
+ new LikeTestItem { Name = "Charlie" });
+ context.SaveChanges();
+
+ var results = context.Items.Where(i => EF.Functions.Like(i.Name, "%li%")).ToList();
+ Assert.Equal(2, results.Count); // Alice, Charlie
+ }
+
+ private static LikeTestContext CreateContext(string dbPath)
+ {
+ var options = new DbContextOptionsBuilder()
+ .UseDecentDB($"Data Source={dbPath}")
+ .Options;
+ return new LikeTestContext(options);
+ }
+
+ public class LikeTestItem
+ {
+ public int Id { get; set; }
+ public string Name { get; set; } = "";
+ }
+
+ private sealed class LikeTestContext : DbContext
+ {
+ public LikeTestContext(DbContextOptions options) : base(options) { }
+ public DbSet Items { get; set; } = null!;
+ }
+}
diff --git a/bindings/dotnet/tests/DecentDB.Tests/SqliteCompatibilityTests.cs b/bindings/dotnet/tests/DecentDB.Tests/SqliteCompatibilityTests.cs
new file mode 100644
index 0000000..c1d1442
--- /dev/null
+++ b/bindings/dotnet/tests/DecentDB.Tests/SqliteCompatibilityTests.cs
@@ -0,0 +1,300 @@
+using DecentDB.AdoNet;
+using Xunit;
+
+namespace DecentDB.Tests;
+
+///
+/// Validates SQL feature compatibility needed for EF Core migrations from SQLite.
+/// These tests cover patterns commonly used by EF Core and by applications
+/// migrating from SQLite to DecentDB.
+///
+public sealed class SqliteCompatibilityTests : IDisposable
+{
+ private readonly string _dbPath;
+
+ public SqliteCompatibilityTests()
+ {
+ _dbPath = Path.Combine(Path.GetTempPath(), $"decentdb_compat_{Guid.NewGuid():N}.ddb");
+ }
+
+ public void Dispose()
+ {
+ if (File.Exists(_dbPath))
+ File.Delete(_dbPath);
+ if (File.Exists(_dbPath + "-wal"))
+ File.Delete(_dbPath + "-wal");
+ }
+
+ [Fact]
+ public void CreateIndexIfNotExists_Succeeds()
+ {
+ using var conn = Open();
+ Exec(conn, "CREATE TABLE t (id INTEGER PRIMARY KEY, name TEXT, type INTEGER)");
+ Exec(conn, "CREATE INDEX IF NOT EXISTS IX_t_name ON t(name)");
+ // Running again should not throw
+ Exec(conn, "CREATE INDEX IF NOT EXISTS IX_t_name ON t(name)");
+ }
+
+ [Fact]
+ public void FilteredIndex_WithWhereClause_Succeeds()
+ {
+ using var conn = Open();
+ Exec(conn, "CREATE TABLE t (id INTEGER PRIMARY KEY, type INTEGER)");
+ Exec(conn, "CREATE UNIQUE INDEX IX_t_type_filtered ON t(type) WHERE type != 3");
+
+ Exec(conn, "INSERT INTO t VALUES (1, 1)");
+ Exec(conn, "INSERT INTO t VALUES (2, 3)");
+ Exec(conn, "INSERT INTO t VALUES (3, 3)"); // duplicate type=3 allowed by filter
+ }
+
+ [Fact]
+ public void GroupConcat_WithSeparator_ReturnsDelimitedString()
+ {
+ using var conn = Open();
+ Exec(conn, "CREATE TABLE t (id INTEGER PRIMARY KEY, name TEXT, grp INTEGER)");
+ Exec(conn, "INSERT INTO t VALUES (1, 'alice', 1), (2, 'bob', 1), (3, 'charlie', 2)");
+
+ var result = Scalar(conn, "SELECT GROUP_CONCAT(name, '|') FROM t WHERE grp = 1");
+ Assert.Contains("alice", result!);
+ Assert.Contains("bob", result!);
+ Assert.Contains("|", result!);
+ }
+
+ [Fact]
+ public void GroupConcat_InSubquery_Succeeds()
+ {
+ using var conn = Open();
+ Exec(conn, "CREATE TABLE t (id INTEGER PRIMARY KEY, name TEXT, grp INTEGER)");
+ Exec(conn, "INSERT INTO t VALUES (1, 'alice', 1), (2, 'bob', 1)");
+
+ var result = Scalar(conn,
+ "SELECT (SELECT GROUP_CONCAT(sub.name, '|') FROM t AS sub WHERE sub.grp = t.grp) FROM t GROUP BY grp");
+ Assert.NotNull(result);
+ }
+
+ [Fact]
+ public void InsertIntoSelect_CopiesRows()
+ {
+ using var conn = Open();
+ Exec(conn, "CREATE TABLE src (id INTEGER PRIMARY KEY, name TEXT)");
+ Exec(conn, "CREATE TABLE dst (id INTEGER PRIMARY KEY, name TEXT)");
+ Exec(conn, "INSERT INTO src VALUES (1, 'a'), (2, 'b')");
+ Exec(conn, "INSERT INTO dst (id, name) SELECT id, name FROM src");
+
+ Assert.Equal(2L, ScalarLong(conn, "SELECT COUNT(*) FROM dst"));
+ }
+
+ [Fact]
+ public void ILike_CaseInsensitiveMatch()
+ {
+ using var conn = Open();
+ Exec(conn, "CREATE TABLE t (id INTEGER PRIMARY KEY, name TEXT)");
+ Exec(conn, "INSERT INTO t VALUES (1, 'Alice'), (2, 'BOB')");
+
+ Assert.Equal(1L, ScalarLong(conn, "SELECT COUNT(*) FROM t WHERE name ILIKE '%ali%'"));
+ Assert.Equal(1L, ScalarLong(conn, "SELECT COUNT(*) FROM t WHERE name ILIKE '%bob%'"));
+ }
+
+ [Fact]
+ public void Like_PatternMatching()
+ {
+ using var conn = Open();
+ Exec(conn, "CREATE TABLE t (id INTEGER PRIMARY KEY, name TEXT)");
+ Exec(conn, "INSERT INTO t VALUES (1, 'alice'), (2, 'bob')");
+
+ Assert.Equal(1L, ScalarLong(conn, "SELECT COUNT(*) FROM t WHERE name LIKE 'ali%'"));
+ Assert.Equal(1L, ScalarLong(conn, "SELECT COUNT(*) FROM t WHERE name LIKE '%ob'"));
+ }
+
+ [Fact]
+ public void ForeignKey_OnDeleteCascade()
+ {
+ using var conn = Open();
+ Exec(conn, "CREATE TABLE parent (id INTEGER PRIMARY KEY, name TEXT)");
+ Exec(conn, "CREATE TABLE child (id INTEGER PRIMARY KEY, pid INTEGER REFERENCES parent(id) ON DELETE CASCADE)");
+ Exec(conn, "INSERT INTO parent VALUES (1, 'p1')");
+ Exec(conn, "INSERT INTO child VALUES (1, 1)");
+ Exec(conn, "DELETE FROM parent WHERE id = 1");
+
+ Assert.Equal(0L, ScalarLong(conn, "SELECT COUNT(*) FROM child"));
+ }
+
+ [Fact]
+ public void ForeignKey_OnDeleteSetNull()
+ {
+ using var conn = Open();
+ Exec(conn, "CREATE TABLE parent (id INTEGER PRIMARY KEY, name TEXT)");
+ Exec(conn, "CREATE TABLE child (id INTEGER PRIMARY KEY, pid INTEGER REFERENCES parent(id) ON DELETE SET NULL)");
+ Exec(conn, "INSERT INTO parent VALUES (1, 'p1')");
+ Exec(conn, "INSERT INTO child VALUES (1, 1)");
+ Exec(conn, "DELETE FROM parent WHERE id = 1");
+
+ Assert.Equal(1L, ScalarLong(conn, "SELECT COUNT(*) FROM child"));
+ Assert.True(ScalarIsNull(conn, "SELECT pid FROM child WHERE id = 1"));
+ }
+
+ [Fact]
+ public void ForeignKey_OnDeleteRestrict_PreventsDelete()
+ {
+ using var conn = Open();
+ Exec(conn, "CREATE TABLE parent (id INTEGER PRIMARY KEY, name TEXT)");
+ Exec(conn, "CREATE TABLE child (id INTEGER PRIMARY KEY, pid INTEGER REFERENCES parent(id) ON DELETE RESTRICT)");
+ Exec(conn, "INSERT INTO parent VALUES (1, 'p1')");
+ Exec(conn, "INSERT INTO child VALUES (1, 1)");
+
+ Assert.ThrowsAny(() => Exec(conn, "DELETE FROM parent WHERE id = 1"));
+ }
+
+ [Fact]
+ public void CompositeIndex_Succeeds()
+ {
+ using var conn = Open();
+ Exec(conn, "CREATE TABLE t (id INTEGER PRIMARY KEY, a TEXT, b INTEGER)");
+ Exec(conn, "CREATE INDEX IX_t_ab ON t(a, b)");
+ }
+
+ [Fact]
+ public void OrderBy_LimitOffset()
+ {
+ using var conn = Open();
+ Exec(conn, "CREATE TABLE t (id INTEGER PRIMARY KEY, name TEXT)");
+ Exec(conn, "INSERT INTO t VALUES (1, 'c'), (2, 'a'), (3, 'b')");
+
+ using var cmd = conn.CreateCommand();
+ cmd.CommandText = "SELECT name FROM t ORDER BY name LIMIT 2 OFFSET 1";
+ using var reader = cmd.ExecuteReader();
+
+ var results = new List();
+ while (reader.Read()) results.Add(reader.GetString(0));
+
+ Assert.Equal(2, results.Count);
+ Assert.Equal("b", results[0]);
+ Assert.Equal("c", results[1]);
+ }
+
+ [Fact]
+ public void SubqueryInWhere_Succeeds()
+ {
+ using var conn = Open();
+ Exec(conn, "CREATE TABLE t (id INTEGER PRIMARY KEY, name TEXT, grp INTEGER)");
+ Exec(conn, "INSERT INTO t VALUES (1, 'a', 1), (2, 'b', 2), (3, 'c', 1)");
+
+ Assert.Equal(2L, ScalarLong(conn,
+ "SELECT COUNT(*) FROM t WHERE grp IN (SELECT grp FROM t WHERE name = 'a')"));
+ }
+
+ [Fact]
+ public void Coalesce_ReturnsFirstNonNull()
+ {
+ using var conn = Open();
+ Exec(conn, "CREATE TABLE t (id INTEGER PRIMARY KEY)");
+ Exec(conn, "INSERT INTO t VALUES (1)");
+
+ Assert.Equal("fallback", Scalar(conn, "SELECT COALESCE(NULL, 'fallback')"));
+ }
+
+ [Fact]
+ public void CaseWhen_ConditionalExpression()
+ {
+ using var conn = Open();
+ Exec(conn, "CREATE TABLE t (id INTEGER PRIMARY KEY, val INTEGER)");
+ Exec(conn, "INSERT INTO t VALUES (1, 10), (2, 20)");
+
+ Assert.Equal("low", Scalar(conn,
+ "SELECT CASE WHEN val < 15 THEN 'low' ELSE 'high' END FROM t WHERE id = 1"));
+ }
+
+ [Fact]
+ public void AggregateFunctions_CountSumAvgMinMax()
+ {
+ using var conn = Open();
+ Exec(conn, "CREATE TABLE t (id INTEGER PRIMARY KEY, val INTEGER)");
+ Exec(conn, "INSERT INTO t VALUES (1, 10), (2, 20), (3, 30)");
+
+ Assert.Equal(3L, ScalarLong(conn, "SELECT COUNT(*) FROM t"));
+ Assert.Equal(60L, ScalarLong(conn, "SELECT SUM(val) FROM t"));
+ Assert.Equal(10L, ScalarLong(conn, "SELECT MIN(val) FROM t"));
+ Assert.Equal(30L, ScalarLong(conn, "SELECT MAX(val) FROM t"));
+ }
+
+ [Fact]
+ public void NullableDecimal_InsertAndRead()
+ {
+ using var conn = Open();
+ Exec(conn, "CREATE TABLE t (id INTEGER PRIMARY KEY, val DECIMAL(18,6))");
+ Exec(conn, "INSERT INTO t VALUES (1, NULL)");
+ Exec(conn, "INSERT INTO t VALUES (2, 42.5)");
+
+ Assert.True(ScalarIsNull(conn, "SELECT val FROM t WHERE id = 1"));
+ Assert.Equal(42.5m, ScalarDecimal(conn, "SELECT val FROM t WHERE id = 2"));
+ }
+
+ [Fact]
+ public void DecimalPrecisionVariants_AllWork()
+ {
+ using var conn = Open();
+ Exec(conn, "CREATE TABLE t (id INTEGER PRIMARY KEY, a DECIMAL(18,6), b DECIMAL(10,2), c DECIMAL(8,4))");
+
+ using var cmd = conn.CreateCommand();
+ cmd.CommandText = "INSERT INTO t VALUES (1, @a, @b, @c)";
+ cmd.Parameters.Add(new DecentDBParameter("@a", 123.456789m));
+ cmd.Parameters.Add(new DecentDBParameter("@b", 99.99m));
+ cmd.Parameters.Add(new DecentDBParameter("@c", 12.3456m));
+ cmd.ExecuteNonQuery();
+
+ Assert.Equal(123.456789m, ScalarDecimal(conn, "SELECT a FROM t WHERE id = 1"));
+ Assert.Equal(99.99m, ScalarDecimal(conn, "SELECT b FROM t WHERE id = 1"));
+ Assert.Equal(12.3456m, ScalarDecimal(conn, "SELECT c FROM t WHERE id = 1"));
+ }
+
+ #region Helpers
+
+ private DecentDBConnection Open()
+ {
+ var conn = new DecentDBConnection($"Data Source={_dbPath}");
+ conn.Open();
+ return conn;
+ }
+
+ private static void Exec(DecentDBConnection conn, string sql)
+ {
+ using var cmd = conn.CreateCommand();
+ cmd.CommandText = sql;
+ cmd.ExecuteNonQuery();
+ }
+
+ private static string? Scalar(DecentDBConnection conn, string sql)
+ {
+ using var cmd = conn.CreateCommand();
+ cmd.CommandText = sql;
+ var result = cmd.ExecuteScalar();
+ return result?.ToString();
+ }
+
+ private static long ScalarLong(DecentDBConnection conn, string sql)
+ {
+ using var cmd = conn.CreateCommand();
+ cmd.CommandText = sql;
+ return (long)cmd.ExecuteScalar()!;
+ }
+
+ private static decimal ScalarDecimal(DecentDBConnection conn, string sql)
+ {
+ using var cmd = conn.CreateCommand();
+ cmd.CommandText = sql;
+ using var reader = cmd.ExecuteReader();
+ reader.Read();
+ return reader.GetDecimal(0);
+ }
+
+ private static bool ScalarIsNull(DecentDBConnection conn, string sql)
+ {
+ using var cmd = conn.CreateCommand();
+ cmd.CommandText = sql;
+ using var reader = cmd.ExecuteReader();
+ reader.Read();
+ return reader.IsDBNull(0);
+ }
+
+ #endregion
+}
diff --git a/bindings/dotnet/v b/bindings/dotnet/v
deleted file mode 100644
index 7c209bb..0000000
--- a/bindings/dotnet/v
+++ /dev/null
@@ -1,2507 +0,0 @@
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.465, 368939278156400, vstest.console.dll, Version: 18.0.1-dev Current process architecture: X64
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.467, 368939280480765, vstest.console.dll, Runtime location: /usr/share/dotnet/shared/Microsoft.NETCore.App/10.0.0
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.470, 368939283536744, vstest.console.dll, Using .Net Framework version:.NETCoreApp,Version=v10.0
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.470, 368939283644226, vstest.console.dll, ArtifactProcessingPostProcessModeProcessorExecutor.Initialize: ArtifactProcessingMode.Collect
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.470, 368939283704039, vstest.console.dll, TestSessionCorrelationIdProcessorModeProcessorExecutor.Initialize: TestSessionCorrelationId '1682820_e057c427-6b70-44ab-8557-51309a6f6514'
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.474, 368939287734648, vstest.console.dll, FilePatternParser: The given file /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll is a full path.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.478, 368939291163596, vstest.console.dll, TestPluginCache.DiscoverTestExtensions: finding test extensions in assemblies ends with: RuntimeProvider.dll TPluginInfo: Microsoft.VisualStudio.TestPlatform.Common.ExtensionFramework.Utilities.TestRuntimePluginInformation TExtension: Microsoft.VisualStudio.TestPlatform.ObjectModel.Host.ITestRuntimeProvider
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.478, 368939291418866, vstest.console.dll, TestPluginCache.GetExtensionPaths: Filtered extension paths:
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.478, 368939291467567, vstest.console.dll, TestPluginCache.GetExtensionPaths: Added default extension paths: /usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.Diagnostics.NETCore.Client.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.Extensions.BlameDataCollector.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.TestHostRuntimeProvider.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger.dll
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.478, 368939291496191, vstest.console.dll, TestPluginCache.GetExtensionPaths: Added unfilterableExtensionPaths:
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.478, 368939291860044, vstest.console.dll, AssemblyResolver.ctor: Creating AssemblyResolver with searchDirectories /usr/share/dotnet/sdk/10.0.100/Extensions,/usr/share/dotnet/sdk/10.0.100
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.479, 368939292548237, vstest.console.dll, TestPluginCache.DiscoverTestExtensions: Discovering the extensions using extension path.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.479, 368939292624700, vstest.console.dll, TestPluginCache.GetExtensionPaths: Filtered extension paths:
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.479, 368939292646682, vstest.console.dll, TestPluginCache.GetExtensionPaths: Added default extension paths: /usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.Diagnostics.NETCore.Client.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.Extensions.BlameDataCollector.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.TestHostRuntimeProvider.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger.dll
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.479, 368939292663954, vstest.console.dll, TestPluginCache.GetExtensionPaths: Added unfilterableExtensionPaths:
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.479, 368939292707295, vstest.console.dll, TestPluginCache.DiscoverTestExtensions: Discovering the extensions using allExtensionPaths: /usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.Diagnostics.NETCore.Client.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.Extensions.BlameDataCollector.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.TestHostRuntimeProvider.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger.dll
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.479, 368939292781635, vstest.console.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /usr/share/dotnet/sdk/10.0.100/Extensions,/usr/share/dotnet/sdk/10.0.100
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.479, 368939292820308, vstest.console.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /usr/share/dotnet/sdk/10.0.100/Extensions,/usr/share/dotnet/sdk/10.0.100
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.479, 368939292839173, vstest.console.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /usr/share/dotnet/sdk/10.0.100/Extensions,/usr/share/dotnet/sdk/10.0.100
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.479, 368939292854342, vstest.console.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /usr/share/dotnet/sdk/10.0.100/Extensions,/usr/share/dotnet/sdk/10.0.100
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.479, 368939292869741, vstest.console.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /usr/share/dotnet/sdk/10.0.100/Extensions,/usr/share/dotnet/sdk/10.0.100
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.480, 368939293278799, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Diagnostics.NETCore.Client: Resolving assembly.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.480, 368939293328141, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Diagnostics.NETCore.Client: Searching in: '/usr/share/dotnet/sdk/10.0.100/Extensions'.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.485, 368939299030569, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Diagnostics.NETCore.Client: Loading assembly '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.Diagnostics.NETCore.Client.dll'.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.486, 368939299267294, vstest.console.dll, AssemblyResolver.OnResolve: Resolved assembly: Microsoft.Diagnostics.NETCore.Client, from path: /usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.Diagnostics.NETCore.Client.dll
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.486, 368939300026560, vstest.console.dll, MetadataReaderExtensionsHelper: Discovering extensions inside assembly 'Microsoft.Diagnostics.NETCore.Client, Version=0.2.13.10501, Culture=neutral, PublicKeyToken=31bf3856ad364e35' file path '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.Diagnostics.NETCore.Client.dll'
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.488, 368939301475761, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Resolving assembly.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.488, 368939301508373, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Searching in: '/usr/share/dotnet/sdk/10.0.100/Extensions'.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.488, 368939301529803, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Assembly path does not exist: '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.Bcl.AsyncInterfaces.dll', returning.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.488, 368939301546334, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Assembly path does not exist: '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.Bcl.AsyncInterfaces.exe', returning.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.488, 368939301566983, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Searching in: '/usr/share/dotnet/sdk/10.0.100'.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.488, 368939301590156, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Assembly path does not exist: '/usr/share/dotnet/sdk/10.0.100/Microsoft.Bcl.AsyncInterfaces.dll', returning.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.488, 368939301605816, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Assembly path does not exist: '/usr/share/dotnet/sdk/10.0.100/Microsoft.Bcl.AsyncInterfaces.exe', returning.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.488, 368939301618489, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Failed to load assembly.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.488, 368939301640160, vstest.console.dll, CurrentDomainAssemblyResolve: Resolving assembly 'Microsoft.Bcl.AsyncInterfaces'.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.488, 368939301677570, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Resolving assembly.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.488, 368939301697728, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Resolved from cache.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.488, 368939301712316, vstest.console.dll, CurrentDomainAssemblyResolve: Resolving assembly 'Microsoft.Bcl.AsyncInterfaces'.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.488, 368939301730339, vstest.console.dll, CurrentDomainAssemblyResolve: Failed to resolve assembly 'Microsoft.Bcl.AsyncInterfaces'.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.488, 368939301901541, vstest.console.dll, CurrentDomainAssemblyResolve: Failed to resolve assembly 'Microsoft.Bcl.AsyncInterfaces'.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.489, 368939303033547, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Resolving assembly.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.489, 368939303058504, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Resolved from cache.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.489, 368939303073953, vstest.console.dll, CurrentDomainAssemblyResolve: Resolving assembly 'Microsoft.Bcl.AsyncInterfaces'.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.489, 368939303088931, vstest.console.dll, CurrentDomainAssemblyResolve: Failed to resolve assembly 'Microsoft.Bcl.AsyncInterfaces'.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.490, 368939303603587, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Resolving assembly.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.490, 368939303630167, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Resolved from cache.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.490, 368939303644955, vstest.console.dll, CurrentDomainAssemblyResolve: Resolving assembly 'Microsoft.Bcl.AsyncInterfaces'.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.490, 368939303657799, vstest.console.dll, CurrentDomainAssemblyResolve: Failed to resolve assembly 'Microsoft.Bcl.AsyncInterfaces'.
-TpTrace Warning: 0 : 1682867, 1, 2026/02/08, 14:24:19.498, 368939311764041, vstest.console.dll, TestPluginDiscoverer: Failed to get types from assembly 'Microsoft.Diagnostics.NETCore.Client, Version=0.2.13.10501, Culture=neutral, PublicKeyToken=31bf3856ad364e35'. Error: System.Reflection.ReflectionTypeLoadException: Unable to load one or more of the requested types.
-Could not load file or assembly 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'. The system cannot find the file specified.
-
-Could not load file or assembly 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'. The system cannot find the file specified.
-
-Could not load file or assembly 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'. The system cannot find the file specified.
-
- at System.Reflection.RuntimeModule.GetDefinedTypes()
- at System.Reflection.RuntimeModule.GetTypes()
- at Microsoft.VisualStudio.TestPlatform.Common.ExtensionFramework.TestPluginDiscoverer.GetTestExtensionsFromAssembly[TPluginInfo,TExtension](Assembly assembly, Dictionary`2 pluginInfos, String filePath) in /_/src/vstest/src/Microsoft.TestPlatform.Common/ExtensionFramework/TestPluginDiscoverer.cs:line 159
-System.IO.FileNotFoundException: Could not load file or assembly 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'. The system cannot find the file specified.
-
-File name: 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'
- ---> System.IO.FileNotFoundException: Could not load file or assembly 'Microsoft.Bcl.AsyncInterfaces, Culture=neutral, PublicKeyToken=null'. The system cannot find the file specified.
-
-File name: 'Microsoft.Bcl.AsyncInterfaces, Culture=neutral, PublicKeyToken=null'
- at System.Reflection.RuntimeAssembly.InternalLoad(AssemblyName assemblyName, StackCrawlMark& stackMark, AssemblyLoadContext assemblyLoadContext, RuntimeAssembly requestingAssembly, Boolean throwOnFileNotFound)
- at System.Reflection.Assembly.Load(AssemblyName assemblyRef)
- at Microsoft.VisualStudio.TestPlatform.Common.ExtensionFramework.TestPluginCache.CurrentDomainAssemblyResolve(Object sender, AssemblyResolveEventArgs args) in /_/src/vstest/src/Microsoft.TestPlatform.Common/ExtensionFramework/TestPluginCache.cs:line 514
- at System.Runtime.Loader.AssemblyLoadContext.GetFirstResolvedAssemblyFromResolvingEvent(AssemblyName assemblyName)
- at System.Runtime.Loader.AssemblyLoadContext.ResolveUsingEvent(AssemblyName assemblyName)
-System.IO.FileNotFoundException: Could not load file or assembly 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'. The system cannot find the file specified.
-
-File name: 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'
-System.IO.FileNotFoundException: Could not load file or assembly 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'. The system cannot find the file specified.
-
-File name: 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'
-TpTrace Warning: 0 : 1682867, 1, 2026/02/08, 14:24:19.499, 368939312132914, vstest.console.dll, LoaderExceptions: System.IO.FileNotFoundException: Could not load file or assembly 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'. The system cannot find the file specified.
-
-File name: 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'
- ---> System.IO.FileNotFoundException: Could not load file or assembly 'Microsoft.Bcl.AsyncInterfaces, Culture=neutral, PublicKeyToken=null'. The system cannot find the file specified.
-
-File name: 'Microsoft.Bcl.AsyncInterfaces, Culture=neutral, PublicKeyToken=null'
- at System.Reflection.RuntimeAssembly.InternalLoad(AssemblyName assemblyName, StackCrawlMark& stackMark, AssemblyLoadContext assemblyLoadContext, RuntimeAssembly requestingAssembly, Boolean throwOnFileNotFound)
- at System.Reflection.Assembly.Load(AssemblyName assemblyRef)
- at Microsoft.VisualStudio.TestPlatform.Common.ExtensionFramework.TestPluginCache.CurrentDomainAssemblyResolve(Object sender, AssemblyResolveEventArgs args) in /_/src/vstest/src/Microsoft.TestPlatform.Common/ExtensionFramework/TestPluginCache.cs:line 514
- at System.Runtime.Loader.AssemblyLoadContext.GetFirstResolvedAssemblyFromResolvingEvent(AssemblyName assemblyName)
- at System.Runtime.Loader.AssemblyLoadContext.ResolveUsingEvent(AssemblyName assemblyName)
-TpTrace Warning: 0 : 1682867, 1, 2026/02/08, 14:24:19.499, 368939312181225, vstest.console.dll, LoaderExceptions: System.IO.FileNotFoundException: Could not load file or assembly 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'. The system cannot find the file specified.
-
-File name: 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'
-TpTrace Warning: 0 : 1682867, 1, 2026/02/08, 14:24:19.499, 368939312211361, vstest.console.dll, LoaderExceptions: System.IO.FileNotFoundException: Could not load file or assembly 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'. The system cannot find the file specified.
-
-File name: 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.499, 368939312319935, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.TestPlatform.Extensions.BlameDataCollector: Resolving assembly.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.499, 368939312345443, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.TestPlatform.Extensions.BlameDataCollector: Searching in: '/usr/share/dotnet/sdk/10.0.100/Extensions'.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.499, 368939312495154, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.TestPlatform.Extensions.BlameDataCollector: Loading assembly '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.Extensions.BlameDataCollector.dll'.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.499, 368939312677817, vstest.console.dll, AssemblyResolver.OnResolve: Resolved assembly: Microsoft.TestPlatform.Extensions.BlameDataCollector, from path: /usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.Extensions.BlameDataCollector.dll
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.499, 368939312725297, vstest.console.dll, MetadataReaderExtensionsHelper: Discovering extensions inside assembly 'Microsoft.TestPlatform.Extensions.BlameDataCollector, Version=15.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a' file path '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.Extensions.BlameDataCollector.dll'
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.500, 368939313662497, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.TestPlatform.TestHostRuntimeProvider: Resolving assembly.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.500, 368939313697322, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.TestPlatform.TestHostRuntimeProvider: Searching in: '/usr/share/dotnet/sdk/10.0.100/Extensions'.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.500, 368939313791679, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.TestPlatform.TestHostRuntimeProvider: Loading assembly '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.TestHostRuntimeProvider.dll'.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.500, 368939313944897, vstest.console.dll, AssemblyResolver.OnResolve: Resolved assembly: Microsoft.TestPlatform.TestHostRuntimeProvider, from path: /usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.TestHostRuntimeProvider.dll
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.500, 368939313981977, vstest.console.dll, MetadataReaderExtensionsHelper: Discovering extensions inside assembly 'Microsoft.TestPlatform.TestHostRuntimeProvider, Version=15.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a' file path '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.TestHostRuntimeProvider.dll'
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.501, 368939314941238, vstest.console.dll, GetTestExtensionFromType: Register extension with identifier data 'HostProvider://DefaultTestHost' and type 'Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Hosting.DefaultTestHostManager, Microsoft.TestPlatform.TestHostRuntimeProvider, Version=15.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a' inside file '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.TestHostRuntimeProvider.dll'
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.502, 368939315177091, vstest.console.dll, GetTestExtensionFromType: Register extension with identifier data 'HostProvider://DotnetTestHost' and type 'Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Hosting.DotnetTestHostManager, Microsoft.TestPlatform.TestHostRuntimeProvider, Version=15.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a' inside file '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.TestHostRuntimeProvider.dll'
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.502, 368939315227676, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger: Resolving assembly.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.502, 368939315245770, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger: Searching in: '/usr/share/dotnet/sdk/10.0.100/Extensions'.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.502, 368939315343213, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger: Loading assembly '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger.dll'.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.502, 368939315496892, vstest.console.dll, AssemblyResolver.OnResolve: Resolved assembly: Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger, from path: /usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger.dll
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.502, 368939315545273, vstest.console.dll, MetadataReaderExtensionsHelper: Discovering extensions inside assembly 'Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger, Version=15.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a' file path '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger.dll'
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.502, 368939315939523, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger: Resolving assembly.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.502, 368939315972114, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger: Searching in: '/usr/share/dotnet/sdk/10.0.100/Extensions'.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.502, 368939316078764, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger: Loading assembly '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger.dll'.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.503, 368939316236651, vstest.console.dll, AssemblyResolver.OnResolve: Resolved assembly: Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger, from path: /usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger.dll
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.503, 368939316269833, vstest.console.dll, MetadataReaderExtensionsHelper: Discovering extensions inside assembly 'Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger, Version=15.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a' file path '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger.dll'
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.503, 368939316826348, vstest.console.dll, TestPluginCache: Discovered the extensions using extension path ''.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.503, 368939316863879, vstest.console.dll, TestPluginCache: Discoverers are ''.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.503, 368939316886221, vstest.console.dll, TestPluginCache: Executors are ''.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.503, 368939316898574, vstest.console.dll, TestPluginCache: Executors2 are ''.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.503, 368939316915967, vstest.console.dll, TestPluginCache: Setting providers are ''.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.503, 368939316927949, vstest.console.dll, TestPluginCache: Loggers are ''.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.503, 368939317060618, vstest.console.dll, TestPluginCache: TestHosts are 'HostProvider://DefaultTestHost,HostProvider://DotnetTestHost'.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.503, 368939317080976, vstest.console.dll, TestPluginCache: DataCollectors are ''.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.513, 368939326633515, vstest.console.dll, RunTestsArgumentProcessor:Execute: Test run is starting.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.513, 368939326691293, vstest.console.dll, RunTestsArgumentProcessor:Execute: Queuing Test run.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.513, 368939326841055, vstest.console.dll, TestRequestManager.RunTests: run tests started.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.514, 368939327779587, vstest.console.dll, AssemblyMetadataProvider.GetFrameworkName: Determined framework:'.NETCoreApp,Version=v10.0' for source: '/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll'
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.514, 368939327889223, vstest.console.dll, Determined framework for all sources: .NETCoreApp,Version=v10.0
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.516, 368939330078744, vstest.console.dll, TestRequestManager.UpdateRunSettingsIfRequired: Default architecture: X64 IsDefaultTargetArchitecture: True, Current process architecture: X64 OperatingSystem: Unix.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.518, 368939331353959, vstest.console.dll, AssemblyMetadataProvider.GetArchitecture: Determined architecture:AnyCPU info for assembly: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.518, 368939331385037, vstest.console.dll, Determined platform for source '/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll' was AnyCPU and it will use the default plaform X64.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.518, 368939331400837, vstest.console.dll, None of the sources provided any runnable platform, using the default platform: X64
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.518, 368939331495504, vstest.console.dll, Platform was updated to 'X64'.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.519, 368939333042049, vstest.console.dll, Compatible sources list:
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.519, 368939333086663, vstest.console.dll, /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.521, 368939335003272, vstest.console.dll, InferRunSettingsHelper.IsTestSettingsEnabled: Unable to navigate to RunSettings/MSTest. Current node: RunSettings
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.522, 368939335415997, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Fakes: Resolving assembly.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.522, 368939335443890, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Fakes: Searching in: '/usr/share/dotnet/sdk/10.0.100/Extensions'.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.522, 368939335465230, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Fakes: Assembly path does not exist: '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Fakes.dll', returning.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.522, 368939335486259, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Fakes: Assembly path does not exist: '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Fakes.exe', returning.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.522, 368939335503742, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Fakes: Searching in: '/usr/share/dotnet/sdk/10.0.100'.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.522, 368939335516295, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Fakes: Assembly path does not exist: '/usr/share/dotnet/sdk/10.0.100/Microsoft.VisualStudio.TestPlatform.Fakes.dll', returning.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.522, 368939335528829, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Fakes: Assembly path does not exist: '/usr/share/dotnet/sdk/10.0.100/Microsoft.VisualStudio.TestPlatform.Fakes.exe', returning.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.522, 368939335543807, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Fakes: Failed to load assembly.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.522, 368939335693188, vstest.console.dll, Failed to load assembly Microsoft.VisualStudio.TestPlatform.Fakes, Version=18.0.0.0, Culture=neutral. Reason:System.IO.FileNotFoundException: Could not load file or assembly 'Microsoft.VisualStudio.TestPlatform.Fakes, Version=18.0.0.0, Culture=neutral, PublicKeyToken=null'. The system cannot find the file specified.
-
-File name: 'Microsoft.VisualStudio.TestPlatform.Fakes, Version=18.0.0.0, Culture=neutral, PublicKeyToken=null'
- at System.Reflection.RuntimeAssembly.InternalLoad(AssemblyName assemblyName, StackCrawlMark& stackMark, AssemblyLoadContext assemblyLoadContext, RuntimeAssembly requestingAssembly, Boolean throwOnFileNotFound)
- at System.Reflection.Assembly.Load(AssemblyName assemblyRef)
- at Microsoft.VisualStudio.TestPlatform.Common.Utilities.FakesUtilities.LoadTestPlatformAssembly() in /_/src/vstest/src/Microsoft.TestPlatform.Common/Utilities/FakesUtilities.cs:line 200
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.526, 368939339299499, vstest.console.dll, TestEngine: Initializing Parallel Execution as MaxCpuCount is set to: 1
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.527, 368939340189801, vstest.console.dll, TestPluginManager.CreateTestExtension: Attempting to load test extension: Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Hosting.DefaultTestHostManager
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.527, 368939340360682, vstest.console.dll, TestPluginManager.CreateTestExtension: Attempting to load test extension: Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Hosting.DotnetTestHostManager
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.527, 368939340498661, vstest.console.dll, TestHostManagerCallbacks.ctor: Forwarding output is enabled.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.527, 368939340765793, vstest.console.dll, InferRunSettingsHelper.IsTestSettingsEnabled: Unable to navigate to RunSettings/MSTest. Current node: RunSettings
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.529, 368939342168818, vstest.console.dll, ParallelOperationManager.ClearSlots: Clearing all slots. Slots should accept more work: True
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.530, 368939343947778, vstest.console.dll, ParallelOperationManager.SetOccupiedSlotCount: Setting slot counts AvailableSlotCount = 1, OccupiedSlotCount = 0.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.531, 368939344234707, vstest.console.dll, Occupied slots:
-
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.534, 368939347321785, vstest.console.dll, TestEngine.GetExecutionManager: Chosen execution manager 'Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Client.Parallel.ParallelProxyExecutionManager, Microsoft.TestPlatform.CrossPlatEngine, Version=15.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a' ParallelLevel '1'.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.534, 368939347447952, vstest.console.dll, TestPlatform.GetSkipDefaultAdapters: Not skipping default adapters SkipDefaultAdapters was false.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.534, 368939347517432, vstest.console.dll, TestRunRequest.ExecuteAsync: Creating test run request.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.534, 368939347868101, vstest.console.dll, TestRunRequest.ExecuteAsync: Starting.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.535, 368939348549420, vstest.console.dll, TestRunRequest.ExecuteAsync: Starting run with settings:TestRunCriteria:
- KeepAlive=False,FrequencyOfRunStatsChangeEvent=10,RunStatsChangeEventTimeout=00:00:01.5000000,TestCaseFilter=,TestExecutorLauncher=
- Settingsxml=
-
- /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/TestResults
- X64
- .NETCoreApp,Version=v10.0
- False
- False
-
-
-
-
-
- minimal
-
-
-
-
-
-
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.535, 368939348577804, vstest.console.dll, TestRunRequest.ExecuteAsync: Wait for the first run request is over.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.535, 368939348741571, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.TestRunStart: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.536, 368939349685033, vstest.console.dll, ParallelProxyExecutionManager: Start execution. Total sources: 1
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.536, 368939349955661, vstest.console.dll, ParallelOperationManager.StartWork: Starting adding 1 workloads.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.536, 368939350021755, vstest.console.dll, ParallelOperationManager.ClearSlots: Clearing all slots. Slots should accept more work: True
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.536, 368939350065017, vstest.console.dll, ParallelOperationManager.SetOccupiedSlotCount: Setting slot counts AvailableSlotCount = 1, OccupiedSlotCount = 0.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.536, 368939350089292, vstest.console.dll, Occupied slots:
-
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.537, 368939351017234, vstest.console.dll, TestHostManagerCallbacks.ctor: Forwarding output is enabled.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.538, 368939351158049, vstest.console.dll, TestRequestSender is acting as server.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.538, 368939351320314, vstest.console.dll, ParallelOperationManager.RunWorkInParallel: Adding 1 workload to slot, remaining workloads 0.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.538, 368939351346773, vstest.console.dll, ParallelOperationManager.SetOccupiedSlotCount: Setting slot counts AvailableSlotCount = 0, OccupiedSlotCount = 1.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.538, 368939351410323, vstest.console.dll, Occupied slots:
-0: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.539, 368939352410661, vstest.console.dll, ParallelOperationManager.RunWorkInParallel: Started host in slot number 0 for work (source): /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll.
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.540, 368939353363750, vstest.console.dll, ParallelProxyExecutionManager.StartTestRunOnConcurrentManager: Initializing uninitialized client. Started clients: 0
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.540, 368939353535383, vstest.console.dll, ParallelOperationManager.RunWorkInParallel: We started 1 work items, which is the max parallel level. Won't start more work.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.540, 368939353583112, vstest.console.dll, ParallelOperationManager.RunWorkInParallel: We started 1 work items in here, returning True.
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.540, 368939353545882, vstest.console.dll, ParallelProxyExecutionManager.StartTestRunOnConcurrentManager: Initializing test run. Started clients: 0
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:19.540, 368939353611496, vstest.console.dll, TestRunRequest.ExecuteAsync: Started.
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.540, 368939353689893, vstest.console.dll, ProxyExecutionManager: Test host is always Lazy initialize.
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.540, 368939353923642, vstest.console.dll, TestRequestSender.InitializeCommunication: initialize communication.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:19.541, 368939354283438, vstest.console.dll, TestRunRequest.WaitForCompletion: Waiting with timeout -1.
-TpTrace Information: 0 : 1682867, 5, 2026/02/08, 14:24:19.559, 368939372500527, vstest.console.dll, SocketServer.Start: Listening on endpoint : 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.563, 368939376379922, vstest.console.dll, DotnetTestHostmanager.GetTestHostProcessStartInfo: Platform environment 'X64' target architecture 'X64' framework '.NETCoreApp,Version=v10.0' OS 'Unix'
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.563, 368939376479910, vstest.console.dll, DotnetTestHostmanager.LaunchTestHostAsync: VSTEST_DOTNET_ROOT_PATH=/usr/share/dotnet
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.563, 368939376498174, vstest.console.dll, DotnetTestHostmanager.LaunchTestHostAsync: VSTEST_DOTNET_ROOT_ARCHITECTURE=X64
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.563, 368939376547316, vstest.console.dll, DotnetTestHostManager.SetDotnetRootForArchitecture: Adding DOTNET_ROOT_X64=/usr/share/dotnet to testhost start info.
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.563, 368939376625052, vstest.console.dll, DotnetTestHostmanager: Adding --runtimeconfig "/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.runtimeconfig.json" in args
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.563, 368939376645060, vstest.console.dll, DotnetTestHostmanager: Adding --depsfile "/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.deps.json" in args
-TpTrace Information: 0 : 1682867, 5, 2026/02/08, 14:24:19.563, 368939376696757, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Extensions.DependencyModel: Resolving assembly.
-TpTrace Information: 0 : 1682867, 5, 2026/02/08, 14:24:19.563, 368939376715502, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Extensions.DependencyModel: Searching in: '/usr/share/dotnet/sdk/10.0.100/Extensions'.
-TpTrace Information: 0 : 1682867, 5, 2026/02/08, 14:24:19.563, 368939376745899, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Extensions.DependencyModel: Assembly path does not exist: '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.Extensions.DependencyModel.dll', returning.
-TpTrace Information: 0 : 1682867, 5, 2026/02/08, 14:24:19.563, 368939376760527, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Extensions.DependencyModel: Assembly path does not exist: '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.Extensions.DependencyModel.exe', returning.
-TpTrace Information: 0 : 1682867, 5, 2026/02/08, 14:24:19.563, 368939376771207, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Extensions.DependencyModel: Searching in: '/usr/share/dotnet/sdk/10.0.100'.
-TpTrace Information: 0 : 1682867, 5, 2026/02/08, 14:24:19.563, 368939376888207, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Extensions.DependencyModel: Loading assembly '/usr/share/dotnet/sdk/10.0.100/Microsoft.Extensions.DependencyModel.dll'.
-TpTrace Information: 0 : 1682867, 5, 2026/02/08, 14:24:19.563, 368939377039952, vstest.console.dll, AssemblyResolver.OnResolve: Resolved assembly: Microsoft.Extensions.DependencyModel, from path: /usr/share/dotnet/sdk/10.0.100/Microsoft.Extensions.DependencyModel.dll
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.564, 368939377318365, vstest.console.dll, DotnetTestHostmanager: Runtimeconfig.dev.json /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.runtimeconfig.dev.json does not exist.
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.564, 368939377345025, vstest.console.dll, DotnetTestHostManager: Found testhost.dll in source directory: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/testhost.dll.
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.564, 368939377366625, vstest.console.dll, DotnetTestHostmanager: Current process architetcure 'X64'
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.565, 368939378594842, vstest.console.dll, DotnetTestHostmanager.LaunchTestHostAsync: Compatible muxer architecture of running process 'X64' and target architecture 'X64'
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.565, 368939378623245, vstest.console.dll, DotnetTestHostmanager: Full path of testhost.dll is /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/testhost.dll
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.565, 368939378641590, vstest.console.dll, DotnetTestHostmanager: Full path of host exe is /usr/share/dotnet/dotnet
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.566, 368939379518817, vstest.console.dll, DotnetTestHostManager: Starting process '0' with command line '1' and DOTNET environment: DOTNET_ROOT_X64=/usr/share/dotnet
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.569, 368939383023668, vstest.console.dll, Test Runtime launched
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.570, 368939383153712, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: HostProviderEvents.OnHostLaunched: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Client.ProxyOperationManager., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.570, 368939383403501, vstest.console.dll, TestRequestSender.WaitForRequestHandlerConnection: waiting for connection with timeout: 90000.
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.689, 368939502761331, vstest.console.dll, TestRequestSender.WaitForRequestHandlerConnection: waiting took 119 ms, with timeout 90000 ms, and result 0, which is success.
-TpTrace Verbose: 0 : 1682867, 9, 2026/02/08, 14:24:19.689, 368939502761341, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: SocketServer: ClientConnected: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 9, 2026/02/08, 14:24:19.689, 368939502872870, vstest.console.dll, SocketServer.OnClientConnected: Client connected for endPoint: 127.0.0.1:45523, starting MessageLoopAsync:
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:19.690, 368939503379031, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 0 ms
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.717, 368939530783943, vstest.console.dll, TestRequestSender.CheckVersionWithTestHost: Sending check version message: {"MessageType":"ProtocolVersion","Payload":7}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:19.799, 368939612274162, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:19.799, 368939612650017, vstest.console.dll, TestRequestSender.CheckVersionWithTestHost: onMessageReceived received message: (ProtocolVersion) -> {"MessageType":"ProtocolVersion","Payload":7}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:19.802, 368939616018122, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass29_0., took 3 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:19.802, 368939616106418, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 112 ms
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.803, 368939616160550, vstest.console.dll, TestPluginCache.GetExtensionPaths: Filtered extension paths:
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.803, 368939616202980, vstest.console.dll, TestPluginCache.GetExtensionPaths: Added default extension paths: /usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.Diagnostics.NETCore.Client.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.Extensions.BlameDataCollector.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.TestHostRuntimeProvider.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger.dll
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.803, 368939616221234, vstest.console.dll, TestPluginCache.GetExtensionPaths: Added unfilterableExtensionPaths:
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:19.804, 368939617323945, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.806, 368939619509650, vstest.console.dll, TestRequestSender.InitializeExecution: Sending initialize execution with message: {"Version":7,"MessageType":"TestExecution.Initialize","Payload":["/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll"]}
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.806, 368939619667246, vstest.console.dll, ParallelProxyExecutionManager.StartTestRunOnConcurrentManager: Execution starting. Started clients: 1
-TpTrace Warning: 0 : 1682867, 5, 2026/02/08, 14:24:19.806, 368939619989671, vstest.console.dll, InferRunSettingsHelper.MakeRunsettingsCompatible: Removing the following settings: TargetPlatform from RunSettings file. To use those settings please move to latest version of Microsoft.NET.Test.Sdk
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:19.807, 368939620552628, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"Logging TestHost Diagnostics in file: /home/steven/source/decentdb/bindings/dotnet/v.host.26-02-08_14-24-19_56287_5"}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:19.810, 368939623216600, vstest.console.dll, TestRunRequest:SendTestRunMessage: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:19.810, 368939623357264, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.LogMessages: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.TestRunResultAggregator., took 0 ms.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:19.810, 368939623383734, vstest.console.dll, TestRunRequest:SendTestRunMessage: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:19.810, 368939623405294, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 3 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:19.810, 368939623441472, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 7 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:19.810, 368939623632922, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestRunMessage: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.816, 368939629211959, vstest.console.dll, TestRequestSender.StartTestRun: Sending test run with message: {"Version":7,"MessageType":"TestExecution.StartWithSources","Payload":{"AdapterSourceMap":{"_none_":["/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll"]},"RunSettings":"\n \n /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/TestResults\n .NETCoreApp,Version=v10.0\n False\n False\n \n \n \n \n \n minimal\n \n \n \n \n","TestExecutionContext":{"FrequencyOfRunStatsChangeEvent":10,"RunStatsChangeEventTimeout":"00:00:01.5000000","InIsolation":false,"KeepAlive":false,"AreTestCaseLevelEventsRequired":false,"IsDebug":false,"TestCaseFilter":null,"FilterOptions":null},"Package":null}}
-TpTrace Verbose: 0 : 1682867, 5, 2026/02/08, 14:24:19.816, 368939629329079, vstest.console.dll, ParallelProxyExecutionManager.StartTestRunOnConcurrentManager: Execution started. Started clients: 1
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:19.948, 368939762114052, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:19.949, 368939762225371, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"[xUnit.net 00:00:00.00] xUnit.net VSTest Adapter v3.1.5+1b188a7b0a (64-bit .NET 10.0.0)"}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:19.949, 368939762420888, vstest.console.dll, TestRunRequest:SendTestRunMessage: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:19.949, 368939762504305, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.LogMessages: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.TestRunResultAggregator., took 0 ms.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:19.949, 368939762528000, vstest.console.dll, TestRunRequest:SendTestRunMessage: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:19.949, 368939762545733, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:19.949, 368939762563456, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 139 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:19.949, 368939762576601, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestRunMessage: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.029, 368939842935987, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.029, 368939843104613, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"[xUnit.net 00:00:00.08] Discovering: DecentDB.Tests"}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.030, 368939843232784, vstest.console.dll, TestRunRequest:SendTestRunMessage: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.030, 368939843290092, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.LogMessages: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.TestRunResultAggregator., took 0 ms.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.030, 368939843316171, vstest.console.dll, TestRunRequest:SendTestRunMessage: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.030, 368939843347780, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestRunMessage: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.030, 368939843363499, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.030, 368939843425316, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 80 ms
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.085, 368939898589817, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.085, 368939898734158, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"[xUnit.net 00:00:00.14] Discovered: DecentDB.Tests"}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.085, 368939898856247, vstest.console.dll, TestRunRequest:SendTestRunMessage: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.085, 368939898909547, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.LogMessages: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.TestRunResultAggregator., took 0 ms.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.085, 368939898935626, vstest.console.dll, TestRunRequest:SendTestRunMessage: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.085, 368939898964490, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.085, 368939898999135, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 55 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.085, 368939899043689, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestRunMessage: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.120, 368939933892932, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.120, 368939934040098, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"[xUnit.net 00:00:00.17] Starting: DecentDB.Tests"}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.121, 368939934230716, vstest.console.dll, TestRunRequest:SendTestRunMessage: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.121, 368939934319353, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.LogMessages: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.TestRunResultAggregator., took 0 ms.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.121, 368939934336996, vstest.console.dll, TestRunRequest:SendTestRunMessage: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.121, 368939934352655, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.121, 368939934377782, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 35 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.121, 368939934413229, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestRunMessage: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.206, 368940019549244, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.207, 368940020705555, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[],"TestRunStatistics":{"ExecutedTests":0,"Stats":{}},"ActiveTests":[{"Id":"6615070c-f6d6-59c1-d309-2604309d724a","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0c61f0e4e49384a986cead1b9be615eb7eb25b68"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_RowsAffected_AfterOperations"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"eef85a2c-8dcf-89ea-5828-78e763cef34d","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperScalar","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperScalar","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"18c05465f695461bcaa8720adfd4db8911dca4bc"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperScalar"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},{"Id":"988e568b-674f-7344-d156-3bd2213c8ebc","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23619543aa3f794620b7fdb323af2b2479f4c645"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_CanExecuteSampleQueries"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"27473ec4-9ff3-dc09-c5d3-8264915b4891","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"04a26d50f2980c51dac96819fb7eadfa54cba0ec"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_WithDifferentEntityTypes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"13bfed11-d8a3-c3f7-bb22-1a976bbc4d97","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds","DisplayName":"DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"33502a6142b40161db00180ef7bec8209e363b26"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},{"Id":"875da2b0-fd6d-f566-4d2d-5c2e980a8605","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"091495c9323ecf6ef651bb1f55339e602c304684"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_IsNotNull"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"3d316a0a-d17e-1771-78f9-a907cc267385","FullyQualifiedName":"DecentDB.Tests.TransactionTests.CommitTransaction","DisplayName":"DecentDB.Tests.TransactionTests.CommitTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26e906cc48f24a36282a676bbdddf963066cb325"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CommitTransaction"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},{"Id":"c8eb4232-bf9c-61ff-49c8-e91c969811d7","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_Text_Interop","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Text_Interop","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"802ec798dd83b575224a6167a843c9f2c11f5ba0"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_Text_Interop"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},{"Id":"c9e374cd-dc7e-6d7a-406b-aef25231a306","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2ed91cb9cfbed131380fa8648421bb3dda10d57e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Handles_Pooling_Option_From_ConnectionString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"d9444345-34d8-ae97-36b5-5e21b1c2159a","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0b819ef1f1ef630994e60062bebeb06b862606fd"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindMultipleTypesInSingleStatement"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.230, 368940043244291, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.230, 368940043399312, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.230, 368940043432444, vstest.console.dll, InProgress is DecentDB.Tests.DapperIntegrationTests.TestDapperScalar
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.230, 368940043468241, vstest.console.dll, InProgress is DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.230, 368940043522583, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.230, 368940043550265, vstest.console.dll, InProgress is DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.230, 368940043568660, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.230, 368940043582476, vstest.console.dll, InProgress is DecentDB.Tests.TransactionTests.CommitTransaction
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.230, 368940043598906, vstest.console.dll, InProgress is DecentDB.Tests.DecimalTests.Decimal_Text_Interop
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.230, 368940043613754, vstest.console.dll, InProgress is DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.230, 368940043630566, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.230, 368940043722278, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.230, 368940043745382, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.230, 368940043779656, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 23 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.230, 368940043802970, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 109 ms
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.230, 368940043826955, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.230, 368940044054312, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[],"TestRunStatistics":{"ExecutedTests":0,"Stats":{}},"ActiveTests":[{"Id":"e32432ad-c183-d674-9c3d-e182d698fdfd","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters","DisplayName":"DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"17c906d994f909075c90a7527776dc4ce37219aa"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"QueryAsync_WithParameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"580b490c-3a3e-9e41-4e87-029494003674","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase","DisplayName":"DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"093da95ac1791a1c84b554c4eabce1f0f89bc19b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenAndCloseDatabase"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},{"Id":"0d920d3f-54e6-2905-f377-142f1404058d","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.GuidParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.GuidParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"01a5f0a3317e5466c242e67476b8e1266c179542"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GuidParameterBinding"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"f04170a2-478f-2f83-d94f-fb1af8db0f8c","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.ColumnMetadata","DisplayName":"DecentDB.Tests.NativeLayerTests.ColumnMetadata","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"06f2fd2e6b8204d918eacd89fafcb34c03950fcc"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ColumnMetadata"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"f1c09723-74a2-e398-1769-da8a7d1e4ad8","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.FieldCountAndNames","DisplayName":"DecentDB.Tests.DataReaderTests.FieldCountAndNames","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"20ece292f1c52b72e2c6826f4cab60fac056c35f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FieldCountAndNames"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"083de63e-ad5d-8c4a-393e-e04e8648f1a6","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip","DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02bd17544389aca255e56977e297862bee13c361"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllTypes_NullValues_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"13084293-ca92-f864-ea8c-7b9cb3f67d7e","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder","DisplayName":"DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2199a4e589b4a7eeb2e74f21bd026a28e61b6ae4"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamAsync_YieldsRowsInOrder"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"0314bf26-828b-18e2-0966-160886b3d039","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02ef566fe97ce0688a500cb1037caf73165cb714"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstAsync_With_No_Results_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"7d57e49c-bb58-e2e3-4627-88846ba06163","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02d47efb85b0839d1893bfe623d60594d4f78180"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ConnectionString_WhileOpen_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"404f983d-a97c-36e9-fb05-84e8ea89a985","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"06f9f614cb783630d81f2848bfda8800f2a4b807"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Native_SetLibraryPath_WithInvalidPath_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.232, 368940045241420, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.232, 368940045275244, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.232, 368940045291134, vstest.console.dll, InProgress is DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.232, 368940045306252, vstest.console.dll, InProgress is DecentDB.Tests.EdgeCaseTests.GuidParameterBinding
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.232, 368940045320659, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.ColumnMetadata
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.232, 368940045335667, vstest.console.dll, InProgress is DecentDB.Tests.DataReaderTests.FieldCountAndNames
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.232, 368940045349944, vstest.console.dll, InProgress is DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.232, 368940045379239, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.232, 368940045394518, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.232, 368940045409135, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.232, 368940045424514, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.232, 368940045450132, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.232, 368940045466293, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.232, 368940045489486, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.232, 368940045508792, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.251, 368940064789068, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.252, 368940065206572, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"c9e374cd-dc7e-6d7a-406b-aef25231a306","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2ed91cb9cfbed131380fa8648421bb3dda10d57e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Handles_Pooling_Option_From_ConnectionString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0076511","StartTime":"2026-02-08T20:24:20.2154969+00:00","EndTime":"2026-02-08T20:24:20.2202696+00:00","Properties":[]},{"TestCase":{"Id":"7d57e49c-bb58-e2e3-4627-88846ba06163","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02d47efb85b0839d1893bfe623d60594d4f78180"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ConnectionString_WhileOpen_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0080360","StartTime":"2026-02-08T20:24:20.2154116+00:00","EndTime":"2026-02-08T20:24:20.2253607+00:00","Properties":[]},{"TestCase":{"Id":"988e568b-674f-7344-d156-3bd2213c8ebc","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23619543aa3f794620b7fdb323af2b2479f4c645"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_CanExecuteSampleQueries"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0063148","StartTime":"2026-02-08T20:24:20.2138043+00:00","EndTime":"2026-02-08T20:24:20.2255403+00:00","Properties":[]},{"TestCase":{"Id":"404f983d-a97c-36e9-fb05-84e8ea89a985","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"06f9f614cb783630d81f2848bfda8800f2a4b807"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Native_SetLibraryPath_WithInvalidPath_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0075274","StartTime":"2026-02-08T20:24:20.2153839+00:00","EndTime":"2026-02-08T20:24:20.2260159+00:00","Properties":[]},{"TestCase":{"Id":"6615070c-f6d6-59c1-d309-2604309d724a","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0c61f0e4e49384a986cead1b9be615eb7eb25b68"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_RowsAffected_AfterOperations"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0109323","StartTime":"2026-02-08T20:24:20.2153272+00:00","EndTime":"2026-02-08T20:24:20.2261316+00:00","Properties":[]},{"TestCase":{"Id":"580b490c-3a3e-9e41-4e87-029494003674","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase","DisplayName":"DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"093da95ac1791a1c84b554c4eabce1f0f89bc19b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenAndCloseDatabase"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0105883","StartTime":"2026-02-08T20:24:20.2136333+00:00","EndTime":"2026-02-08T20:24:20.2261008+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":6,"Stats":{"Passed":6}},"ActiveTests":[{"Id":"9da410e1-02c3-a7f2-b5f7-c6d0a62fb2af","FullyQualifiedName":"DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent","DisplayName":"DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8e64ae06008876f5e95ae4595cdffbdc29e66bb5"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestSqlExecutingEvent"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ObservabilityTests"}]},{"Id":"56734fb1-3027-aead-4696-55c05a9ddd5b","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithPositionalParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithPositionalParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0395970922ecbe42c094c2e5cc03bbc5906a10a4"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithPositionalParameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},{"Id":"26ae9605-9d18-4654-8884-41193f2f6714","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"31b9bd5c35cae1320275480edea3ac1c1bfe4670"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"c0499a1e-eef9-7aef-e340-2452501f0717","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"05d550dce7c9c24a35a03655b6cd79f610626f72"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Checkpoint_WhenClosed_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.260, 368940074010766, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.260, 368940074118678, vstest.console.dll, InProgress is DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.261, 368940074140199, vstest.console.dll, InProgress is DecentDB.Tests.DmlTests.SelectWithPositionalParameters
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.261, 368940074156600, vstest.console.dll, InProgress is DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.261, 368940074172139, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.261, 368940074377214, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.261, 368940074408473, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.261, 368940074429662, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 9 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.261, 368940074434081, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.261, 368940074503150, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 28 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.261, 368940074709959, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.261, 368940074767216, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.261, 368940074796762, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.261, 368940074823422, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.261, 368940074848779, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.261, 368940075035249, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.262, 368940075424731, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"d3ce7169-4a26-d8b8-f96f-f36575efb718","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"200ce5c8bf729867f13b1db02c2e56f646a3fedb"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_Dispose_MultipleTimes_DoesNotThrow"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005105","StartTime":"2026-02-08T20:24:20.2519465+00:00","EndTime":"2026-02-08T20:24:20.2524067+00:00","Properties":[]},{"TestCase":{"Id":"c0499a1e-eef9-7aef-e340-2452501f0717","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"05d550dce7c9c24a35a03655b6cd79f610626f72"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Checkpoint_WhenClosed_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005841","StartTime":"2026-02-08T20:24:20.251974+00:00","EndTime":"2026-02-08T20:24:20.2528809+00:00","Properties":[]},{"TestCase":{"Id":"002469d1-f74d-1089-97bc-9c9f7ab7b092","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_LastErrorCodeAndMessage_AfterOperation","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_LastErrorCodeAndMessage_AfterOperation","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26a575d3d8a2caa494b02750d97a831acdfcdf30"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_LastErrorCodeAndMessage_AfterOperation"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_LastErrorCodeAndMessage_AfterOperation","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005578","StartTime":"2026-02-08T20:24:20.252782+00:00","EndTime":"2026-02-08T20:24:20.253348+00:00","Properties":[]},{"TestCase":{"Id":"26ae9605-9d18-4654-8884-41193f2f6714","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"31b9bd5c35cae1320275480edea3ac1c1bfe4670"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0014001","StartTime":"2026-02-08T20:24:20.2520016+00:00","EndTime":"2026-02-08T20:24:20.2537803+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":10,"Stats":{"Passed":10}},"ActiveTests":[{"Id":"2be4cc16-afa5-9f40-e35b-0d92b0abadb3","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"267e138a93fd5478f76212318b8547167eb37072"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnInvalidBindIndex"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"61dfa170-4f18-6ac0-c503-ffec7e873f58","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3c474f14ebfb33becd69babb779ad4509ad36097"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Derived_Context_Initialization_Works"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"4b0fb72d-f3f2-d455-6b58-8e7370145558","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds","DisplayName":"DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"22bfa09aa29aa278b7c5baa0d2f20acb0b86eafe"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenWithCacheSizeMb_Succeeds"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},{"Id":"737a1830-b03a-98da-3d55-e1cdaa4398de","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0699355c5effdbb4780832e505e3aafca990042c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBTransaction_Rollback_ThenDispose"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"90220754-ac70-a9f3-af99-ca3bae35016a","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"278dbb57acbb0d8228b32142229b01ffb77fdf20"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Reset_ClearBindings_Chain"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"10c35701-ac33-d093-20c4-f054cc4cf0bd","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"32aa8abc882ce88a54eb613696adf58e1cf3cd6a"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.264, 368940077824717, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.264, 368940077876184, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.264, 368940077907042, vstest.console.dll, InProgress is DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.264, 368940077924064, vstest.console.dll, InProgress is DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.264, 368940077940815, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.264, 368940077955503, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.264, 368940077972144, vstest.console.dll, InProgress is DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.264, 368940078016027, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.264, 368940078035754, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.264, 368940078048187, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.264, 368940078058366, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 2 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.264, 368940078113640, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.265, 368940078127185, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 3 ms
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.265, 368940078177921, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.265, 368940078177360, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.265, 368940078238915, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.265, 368940078519803, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"61dfa170-4f18-6ac0-c503-ffec7e873f58","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3c474f14ebfb33becd69babb779ad4509ad36097"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Derived_Context_Initialization_Works"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016874","StartTime":"2026-02-08T20:24:20.2520891+00:00","EndTime":"2026-02-08T20:24:20.2621677+00:00","Properties":[]},{"TestCase":{"Id":"af1ac831-acb2-04d9-19de-bc661c24b365","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Full_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Full_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4a6dfd8c3bc96d200df31ac9b1f1fd7f2bf1a90d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Accepts_Full_ConnectionString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Full_ConnectionString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001853","StartTime":"2026-02-08T20:24:20.2624239+00:00","EndTime":"2026-02-08T20:24:20.2624968+00:00","Properties":[]},{"TestCase":{"Id":"737a1830-b03a-98da-3d55-e1cdaa4398de","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0699355c5effdbb4780832e505e3aafca990042c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBTransaction_Rollback_ThenDispose"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0018337","StartTime":"2026-02-08T20:24:20.2531733+00:00","EndTime":"2026-02-08T20:24:20.262749+00:00","Properties":[]},{"TestCase":{"Id":"9da410e1-02c3-a7f2-b5f7-c6d0a62fb2af","FullyQualifiedName":"DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent","DisplayName":"DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8e64ae06008876f5e95ae4595cdffbdc29e66bb5"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestSqlExecutingEvent"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ObservabilityTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0176005","StartTime":"2026-02-08T20:24:20.2154415+00:00","EndTime":"2026-02-08T20:24:20.2629932+00:00","Properties":[]},{"TestCase":{"Id":"90220754-ac70-a9f3-af99-ca3bae35016a","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"278dbb57acbb0d8228b32142229b01ffb77fdf20"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Reset_ClearBindings_Chain"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015168","StartTime":"2026-02-08T20:24:20.2536282+00:00","EndTime":"2026-02-08T20:24:20.2631596+00:00","Properties":[]},{"TestCase":{"Id":"10c35701-ac33-d093-20c4-f054cc4cf0bd","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"32aa8abc882ce88a54eb613696adf58e1cf3cd6a"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set DECENTDB_COMPARE_MELODEE_SQLITE=1 to enable SQLite comparisons\n"}],"ComputerName":"batman","Duration":"00:00:00.0013348","StartTime":"2026-02-08T20:24:20.2620476+00:00","EndTime":"2026-02-08T20:24:20.2634362+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":16,"Stats":{"Passed":16}},"ActiveTests":[{"Id":"94a4ac31-7527-aae2-b45b-0b8dbd09284c","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4e4fd70a7815457e2bfe4f1ea99fe5e9a241c1af"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Non_Pooled_Mode_Works"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"4e7b4d6b-d993-9cae-7f6b-8d428d1f8775","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0ca3cf4e0ee638bb5510906957619ba2eb238899"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DbConnection_SetterGetter"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"966f5338-86b3-07e2-a675-6f5f99d39d12","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2d6e410b5b58aca60abf285ed3044ebf0c9224ee"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_EmptyArray"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"b08f6b19-eeeb-7313-47fe-ba1f8344f6f8","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4f2dc9c0c59b5190a7787ba9049e13acf26280a9"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.267, 368940080510451, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.267, 368940080555225, vstest.console.dll, InProgress is DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.267, 368940080577798, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.267, 368940080597525, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.267, 368940080616811, vstest.console.dll, InProgress is DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.267, 368940080693766, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.267, 368940080706429, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.267, 368940080723381, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.267, 368940080766873, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.267, 368940080814041, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.267, 368940080813891, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 2 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.267, 368940080891016, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 2 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.267, 368940080865408, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.267, 368940080933856, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.267, 368940080982628, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.267, 368940081031139, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.268, 368940081242917, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"f1c09723-74a2-e398-1769-da8a7d1e4ad8","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.FieldCountAndNames","DisplayName":"DecentDB.Tests.DataReaderTests.FieldCountAndNames","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"20ece292f1c52b72e2c6826f4cab60fac056c35f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FieldCountAndNames"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.FieldCountAndNames","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0146181","StartTime":"2026-02-08T20:24:20.213859+00:00","EndTime":"2026-02-08T20:24:20.2642863+00:00","Properties":[]},{"TestCase":{"Id":"4b0fb72d-f3f2-d455-6b58-8e7370145558","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds","DisplayName":"DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"22bfa09aa29aa278b7c5baa0d2f20acb0b86eafe"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenWithCacheSizeMb_Succeeds"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0029828","StartTime":"2026-02-08T20:24:20.2522862+00:00","EndTime":"2026-02-08T20:24:20.2645326+00:00","Properties":[]},{"TestCase":{"Id":"f04170a2-478f-2f83-d94f-fb1af8db0f8c","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.ColumnMetadata","DisplayName":"DecentDB.Tests.NativeLayerTests.ColumnMetadata","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"06f2fd2e6b8204d918eacd89fafcb34c03950fcc"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ColumnMetadata"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.ColumnMetadata","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0159521","StartTime":"2026-02-08T20:24:20.2138319+00:00","EndTime":"2026-02-08T20:24:20.2647832+00:00","Properties":[]},{"TestCase":{"Id":"2be4cc16-afa5-9f40-e35b-0d92b0abadb3","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"267e138a93fd5478f76212318b8547167eb37072"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnInvalidBindIndex"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0043515","StartTime":"2026-02-08T20:24:20.2519115+00:00","EndTime":"2026-02-08T20:24:20.2650243+00:00","Properties":[]},{"TestCase":{"Id":"b08f6b19-eeeb-7313-47fe-ba1f8344f6f8","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4f2dc9c0c59b5190a7787ba9049e13acf26280a9"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0023285","StartTime":"2026-02-08T20:24:20.2642286+00:00","EndTime":"2026-02-08T20:24:20.2652682+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":21,"Stats":{"Passed":21}},"ActiveTests":[{"Id":"1ea70c90-97c4-739f-13ad-aad05b7650c7","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly","DisplayName":"DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4a1c52b1942082c0768862284a6ca143aafba6cd"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamingBehaviorForwardOnly"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"8f198fab-226e-9a6c-9ca2-2dcfb24fb5db","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached","DisplayName":"DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"61f827278ca1b6e60b00f65d942e2ff5d6120c3e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SqlObservability_EventsFire_WhenHandlersAttached"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},{"Id":"03a3912c-ccbf-fee9-74ca-df73290ba8f8","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows","DisplayName":"DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"08f040027952bb5eebc7febdb0846383a51bf242"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenInvalidPathThrows"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"4110b91c-02b2-c8c6-89e4-1067962ca4f1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"49620625e6ba50412ba6d05da306f4d8efd208d2"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnInvalidColumnIndex"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"c58adb59-300d-820c-7bea-8933c88b0d21","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"798c3f574bdc9d70c46f57de0be0460de047f215"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.270, 368940083176358, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.270, 368940083216092, vstest.console.dll, InProgress is DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.270, 368940083242372, vstest.console.dll, InProgress is DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.270, 368940083259915, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.270, 368940083275855, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.270, 368940083297535, vstest.console.dll, InProgress is DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.270, 368940083334885, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.270, 368940083363449, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.270, 368940083366445, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.270, 368940083382825, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 2 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.270, 368940083436887, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.270, 368940083444371, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 2 ms
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.270, 368940083473235, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.270, 368940083478525, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.270, 368940083514443, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.270, 368940083544449, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.270, 368940083781153, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"03a3912c-ccbf-fee9-74ca-df73290ba8f8","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows","DisplayName":"DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"08f040027952bb5eebc7febdb0846383a51bf242"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenInvalidPathThrows"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011904","StartTime":"2026-02-08T20:24:20.264957+00:00","EndTime":"2026-02-08T20:24:20.2660659+00:00","Properties":[]},{"TestCase":{"Id":"3d316a0a-d17e-1771-78f9-a907cc267385","FullyQualifiedName":"DecentDB.Tests.TransactionTests.CommitTransaction","DisplayName":"DecentDB.Tests.TransactionTests.CommitTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26e906cc48f24a36282a676bbdddf963066cb325"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CommitTransaction"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TransactionTests.CommitTransaction","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0172201","StartTime":"2026-02-08T20:24:20.2153009+00:00","EndTime":"2026-02-08T20:24:20.2663411+00:00","Properties":[]},{"TestCase":{"Id":"4e7b4d6b-d993-9cae-7f6b-8d428d1f8775","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0ca3cf4e0ee638bb5510906957619ba2eb238899"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DbConnection_SetterGetter"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0033393","StartTime":"2026-02-08T20:24:20.2629367+00:00","EndTime":"2026-02-08T20:24:20.2665801+00:00","Properties":[]},{"TestCase":{"Id":"c58adb59-300d-820c-7bea-8933c88b0d21","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"798c3f574bdc9d70c46f57de0be0460de047f215"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0007866","StartTime":"2026-02-08T20:24:20.2659825+00:00","EndTime":"2026-02-08T20:24:20.2668348+00:00","Properties":[]},{"TestCase":{"Id":"0e74b06d-d2b9-fbd5-e14a-58324a742c9f","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_DefaultConstructor_CreatesInstance","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_DefaultConstructor_CreatesInstance","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0fed60dcda6d7550abe0cd80ab311b8567458133"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_DefaultConstructor_CreatesInstance"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_DefaultConstructor_CreatesInstance","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004418","StartTime":"2026-02-08T20:24:20.2667766+00:00","EndTime":"2026-02-08T20:24:20.2679421+00:00","Properties":[]},{"TestCase":{"Id":"4110b91c-02b2-c8c6-89e4-1067962ca4f1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"49620625e6ba50412ba6d05da306f4d8efd208d2"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnInvalidColumnIndex"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020133","StartTime":"2026-02-08T20:24:20.2652106+00:00","EndTime":"2026-02-08T20:24:20.2682055+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":27,"Stats":{"Passed":27}},"ActiveTests":[{"Id":"f3f2777c-6705-3f90-3b16-3fea07f21d8a","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"14da6fa89b5eb0d57dd5e1079fb4438bf4143c07"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FloatBindingAndRetrieval"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"5bf75d6b-382b-9760-3047-421eb53ffee1","FullyQualifiedName":"DecentDB.Tests.TransactionTests.RollbackTransaction","DisplayName":"DecentDB.Tests.TransactionTests.RollbackTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3258db74afe59290503805904087d5498939d672"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RollbackTransaction"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},{"Id":"d8d181a9-e6e4-0511-2d6f-9cb242977b29","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8fbd5a1178369575b5e56a49cb60796bb98f3cfb"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"a4a52f5e-0a3d-ab63-0baa-640951fa4a20","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"164a380f8320f3a6f2331fa3934e76c7095ccd88"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Tables_ReturnsCreatedTables"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.272, 368940085566015, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.272, 368940085608043, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.272, 368940085623913, vstest.console.dll, InProgress is DecentDB.Tests.TransactionTests.RollbackTransaction
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.272, 368940085639022, vstest.console.dll, InProgress is DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.272, 368940085653449, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.272, 368940085687352, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.272, 368940085709875, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.272, 368940085723430, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.272, 368940085761612, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.272, 368940085769587, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 2 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.272, 368940085794053, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.272, 368940085825492, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 2 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.272, 368940085838346, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.272, 368940085848214, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.272, 368940085898920, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.272, 368940085933084, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.273, 368940086147316, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"f3f2777c-6705-3f90-3b16-3fea07f21d8a","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"14da6fa89b5eb0d57dd5e1079fb4438bf4143c07"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FloatBindingAndRetrieval"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012266","StartTime":"2026-02-08T20:24:20.2662864+00:00","EndTime":"2026-02-08T20:24:20.2691886+00:00","Properties":[]},{"TestCase":{"Id":"966f5338-86b3-07e2-a675-6f5f99d39d12","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2d6e410b5b58aca60abf285ed3044ebf0c9224ee"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_EmptyArray"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0040295","StartTime":"2026-02-08T20:24:20.2633549+00:00","EndTime":"2026-02-08T20:24:20.2694585+00:00","Properties":[]},{"TestCase":{"Id":"d8d181a9-e6e4-0511-2d6f-9cb242977b29","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8fbd5a1178369575b5e56a49cb60796bb98f3cfb"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0010496","StartTime":"2026-02-08T20:24:20.2670246+00:00","EndTime":"2026-02-08T20:24:20.2696891+00:00","Properties":[]},{"TestCase":{"Id":"12cdca0f-f1d8-b093-3fef-d9cd78c18aff","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.NullHandling","DisplayName":"DecentDB.Tests.NativeLayerTests.NullHandling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26f3bea47cede0a4fd767f79554470213e0cd1c1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NullHandling"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.NullHandling","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017289","StartTime":"2026-02-08T20:24:20.2693744+00:00","EndTime":"2026-02-08T20:24:20.26994+00:00","Properties":[]},{"TestCase":{"Id":"9defafa8-67ef-1872-9545-8181757c16fd","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5c8a16ba09814f1e965c6b5726263cb1e2ba4eeb"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindText_NullString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014864","StartTime":"2026-02-08T20:24:20.2696327+00:00","EndTime":"2026-02-08T20:24:20.2700812+00:00","Properties":[]},{"TestCase":{"Id":"534c36c8-c598-80b0-f3d3-c5e3ffd05cc1","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.PrepareStatement","DisplayName":"DecentDB.Tests.NativeLayerTests.PrepareStatement","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"36b542da9e297f8a64cfa68c214e871aa8fdf3f8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PrepareStatement"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.PrepareStatement","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006149","StartTime":"2026-02-08T20:24:20.2703703+00:00","EndTime":"2026-02-08T20:24:20.2705166+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":33,"Stats":{"Passed":33}},"ActiveTests":[{"Id":"21ee4efa-c806-f8b3-0504-ffdec398eb4e","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4de1b95ab9747f9e9f0d37e44a77a38a0a536017"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView_IndexOutOfRange_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"c16054e6-f41c-24e3-5eb6-d034a6febd65","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"aaa3f289adf1f647c8a4c070c2461babb99835cd"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"5bb37227-60e5-63bc-c7d7-a3321e749a8c","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6137ccf0f4d259919eb0e13f5cdb2c30f74f172a"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindText_EmptyString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"fa010b0b-77f1-b664-2a0f-de813da744a3","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.OpenNativeDatabase","DisplayName":"DecentDB.Tests.NativeLayerTests.OpenNativeDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"400dc9ba8005e7c3f52c7c0f50d9fe52d4f1ae00"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenNativeDatabase"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.274, 368940087805280, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.274, 368940087869871, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.274, 368940087884729, vstest.console.dll, InProgress is DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.274, 368940087906369, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.274, 368940087918733, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.OpenNativeDatabase
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.274, 368940087953758, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.274, 368940087972033, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.274, 368940087988403, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.274, 368940087989986, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.274, 368940088062783, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 2 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.274, 368940088068554, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.274, 368940088088702, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.274, 368940088121373, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.275, 368940088154806, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.275, 368940088181296, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.275, 368940088214739, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.278, 368940091559480, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"5bb37227-60e5-63bc-c7d7-a3321e749a8c","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6137ccf0f4d259919eb0e13f5cdb2c30f74f172a"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindText_EmptyString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010471","StartTime":"2026-02-08T20:24:20.270425+00:00","EndTime":"2026-02-08T20:24:20.2712774+00:00","Properties":[]},{"TestCase":{"Id":"c16054e6-f41c-24e3-5eb6-d034a6febd65","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"aaa3f289adf1f647c8a4c070c2461babb99835cd"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0026979","StartTime":"2026-02-08T20:24:20.2698638+00:00","EndTime":"2026-02-08T20:24:20.2722292+00:00","Properties":[]},{"TestCase":{"Id":"fa010b0b-77f1-b664-2a0f-de813da744a3","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.OpenNativeDatabase","DisplayName":"DecentDB.Tests.NativeLayerTests.OpenNativeDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"400dc9ba8005e7c3f52c7c0f50d9fe52d4f1ae00"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenNativeDatabase"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.OpenNativeDatabase","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008503","StartTime":"2026-02-08T20:24:20.2712088+00:00","EndTime":"2026-02-08T20:24:20.2724327+00:00","Properties":[]},{"TestCase":{"Id":"d9c3619b-27db-b0e3-056d-9f0d12fcf89c","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDBException_Properties_AreCorrect","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDBException_Properties_AreCorrect","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"68e142e067127d5f1025782020a62c838020977a"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBException_Properties_AreCorrect"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDBException_Properties_AreCorrect","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010973","StartTime":"2026-02-08T20:24:20.2714801+00:00","EndTime":"2026-02-08T20:24:20.2728104+00:00","Properties":[]},{"TestCase":{"Id":"8f198fab-226e-9a6c-9ca2-2dcfb24fb5db","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached","DisplayName":"DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"61f827278ca1b6e60b00f65d942e2ff5d6120c3e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SqlObservability_EventsFire_WhenHandlersAttached"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0082250","StartTime":"2026-02-08T20:24:20.2647129+00:00","EndTime":"2026-02-08T20:24:20.2730371+00:00","Properties":[]},{"TestCase":{"Id":"024120ea-faa1-6633-6c29-442558086e66","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.BindAndStep","DisplayName":"DecentDB.Tests.NativeLayerTests.BindAndStep","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"49431ff465f661e4446e80d1babfaaba3c2bba10"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"BindAndStep"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.BindAndStep","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016568","StartTime":"2026-02-08T20:24:20.2726726+00:00","EndTime":"2026-02-08T20:24:20.2732832+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":39,"Stats":{"Passed":39}},"ActiveTests":[{"Id":"ce0cc021-e65a-2c9d-b4aa-84e6888db5f9","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bbd16d87849448f2c873ac1e0738f772f63d4e77"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"ff812fa2-4e7b-3302-b38f-bb8feaaaa1a8","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6f6346a5c18d2f6e13613a222a86d5f08e0cc0a8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_Checkpoint_Success"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"b794905d-2c43-2f54-028a-8d4ac6400002","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase","DisplayName":"DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c2797006393d41ad5ff26849e7767ec0ea1cd9eb"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenNonExistentDatabase"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},{"Id":"99cfd983-88e3-52e0-a21b-8b07ef09d1a5","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip","DisplayName":"DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"585f9167e3850261bee0096b801d6dd4e88ebeb7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UuidColumnRoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.279, 368940092858169, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.279, 368940092889267, vstest.console.dll, InProgress is DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.279, 368940092902482, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.279, 368940092914214, vstest.console.dll, InProgress is DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.279, 368940092925135, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.279, 368940092951685, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.279, 368940092963877, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.279, 368940092982573, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.279, 368940092998042, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 4 ms
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.279, 368940093015885, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.279, 368940093031905, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.279, 368940093098100, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.280, 368940093145268, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.280, 368940093175886, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.280, 368940093215971, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.280, 368940093218967, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"ff812fa2-4e7b-3302-b38f-bb8feaaaa1a8","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6f6346a5c18d2f6e13613a222a86d5f08e0cc0a8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_Checkpoint_Success"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010761","StartTime":"2026-02-08T20:24:20.2729954+00:00","EndTime":"2026-02-08T20:24:20.2741355+00:00","Properties":[]},{"TestCase":{"Id":"083de63e-ad5d-8c4a-393e-e04e8648f1a6","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip","DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02bd17544389aca255e56977e297862bee13c361"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllTypes_NullValues_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0234358","StartTime":"2026-02-08T20:24:20.2136626+00:00","EndTime":"2026-02-08T20:24:20.2743841+00:00","Properties":[]},{"TestCase":{"Id":"ce0cc021-e65a-2c9d-b4aa-84e6888db5f9","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bbd16d87849448f2c873ac1e0738f772f63d4e77"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0020957","StartTime":"2026-02-08T20:24:20.2726183+00:00","EndTime":"2026-02-08T20:24:20.2746733+00:00","Properties":[]},{"TestCase":{"Id":"1ea70c90-97c4-739f-13ad-aad05b7650c7","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly","DisplayName":"DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4a1c52b1942082c0768862284a6ca143aafba6cd"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamingBehaviorForwardOnly"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0093862","StartTime":"2026-02-08T20:24:20.2644897+00:00","EndTime":"2026-02-08T20:24:20.2749811+00:00","Properties":[]},{"TestCase":{"Id":"21ee4efa-c806-f8b3-0504-ffdec398eb4e","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4de1b95ab9747f9e9f0d37e44a77a38a0a536017"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView_IndexOutOfRange_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0061062","StartTime":"2026-02-08T20:24:20.2691213+00:00","EndTime":"2026-02-08T20:24:20.275287+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":44,"Stats":{"Passed":44}},"ActiveTests":[{"Id":"17616c75-369d-a6d4-5c45-5d7d892e0a90","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7ac623f7e5d51b770300b248f7da4efa5f61de68"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView_IndexOutOfRange_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"c7543263-208d-66da-7125-b875115ef526","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes","DisplayName":"DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"08fd838d4b8aa0af45aa74be01f0a8cfa2ad0839"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Blob_VariousSizes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"d4197c5e-e15c-1693-bdc5-6533f4e1e7fc","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c35f553fdc71ae71292c0ad54f081838748fdabf"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"9e485601-5e02-da40-50e5-16d0e67ac725","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetBytes","DisplayName":"DecentDB.Tests.DataReaderTests.GetBytes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4eb957d143f425b477fdfc8bd4b5dadd388ca5b5"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetBytes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"2ff10c55-6c5e-a28a-3adb-e82cd2ec7e67","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"608e20f42eed74c6aa5a9a103379ac67ac4d4ed7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_LargeButValidValue_Works"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.280, 368940093312131, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.281, 368940094389244, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.281, 368940094422015, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.281, 368940094434328, vstest.console.dll, InProgress is DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.281, 368940094446672, vstest.console.dll, InProgress is DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.281, 368940094458804, vstest.console.dll, InProgress is DecentDB.Tests.DataReaderTests.GetBytes
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.281, 368940094470045, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.281, 368940094492768, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.281, 368940094508498, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.281, 368940094528525, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.281, 368940094528155, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.281, 368940094550036, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.281, 368940094595070, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.281, 368940094604738, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.281, 368940094638061, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.281, 368940094669610, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.281, 368940094694777, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.281, 368940094835782, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"d4197c5e-e15c-1693-bdc5-6533f4e1e7fc","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c35f553fdc71ae71292c0ad54f081838748fdabf"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0011127","StartTime":"2026-02-08T20:24:20.2748819+00:00","EndTime":"2026-02-08T20:24:20.2762787+00:00","Properties":[]},{"TestCase":{"Id":"5bf75d6b-382b-9760-3047-421eb53ffee1","FullyQualifiedName":"DecentDB.Tests.TransactionTests.RollbackTransaction","DisplayName":"DecentDB.Tests.TransactionTests.RollbackTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3258db74afe59290503805904087d5498939d672"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RollbackTransaction"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TransactionTests.RollbackTransaction","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0076144","StartTime":"2026-02-08T20:24:20.2665145+00:00","EndTime":"2026-02-08T20:24:20.2765039+00:00","Properties":[]},{"TestCase":{"Id":"17616c75-369d-a6d4-5c45-5d7d892e0a90","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7ac623f7e5d51b770300b248f7da4efa5f61de68"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView_IndexOutOfRange_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016886","StartTime":"2026-02-08T20:24:20.2743316+00:00","EndTime":"2026-02-08T20:24:20.2768263+00:00","Properties":[]},{"TestCase":{"Id":"c7543263-208d-66da-7125-b875115ef526","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes","DisplayName":"DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"08fd838d4b8aa0af45aa74be01f0a8cfa2ad0839"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Blob_VariousSizes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017142","StartTime":"2026-02-08T20:24:20.2746142+00:00","EndTime":"2026-02-08T20:24:20.2770631+00:00","Properties":[]},{"TestCase":{"Id":"2ff10c55-6c5e-a28a-3adb-e82cd2ec7e67","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"608e20f42eed74c6aa5a9a103379ac67ac4d4ed7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_LargeButValidValue_Works"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012671","StartTime":"2026-02-08T20:24:20.2761897+00:00","EndTime":"2026-02-08T20:24:20.2772916+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":49,"Stats":{"Passed":49}},"ActiveTests":[{"Id":"7db36bec-bbb4-8c43-27e5-b85fdfb80bbd","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cd2b759ef17a179c1809dd80629413b0b89ef22b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"452a856b-4253-4cc7-2300-72cbfe81feba","FullyQualifiedName":"DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot","DisplayName":"DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4496d126d7bc70421a85d9423799749dca9b7e06"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TransactionIsolationLevelSnapshot"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},{"Id":"2e53b425-7943-cdd8-98b6-d6ccdc5d1e9f","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8a593324298317c9a92a0995a44c14a1f14cbc41"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnMetadata_NegativeIndex_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"7f2aada0-6a30-f5f7-f00c-479baec7b8ef","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Text_Unicode","DisplayName":"DecentDB.Tests.AllDataTypesTests.Text_Unicode","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"199f7911d25301768ba228f6cd6e9defaada20f5"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Text_Unicode"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"8aeecf70-e574-4b10-4997-f1477257b4f4","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"68a16c19ae772577713af6996ac45f54a6f3f48c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ResetThrowsOnError"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.282, 368940095949403, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.282, 368940095977406, vstest.console.dll, InProgress is DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.282, 368940095990500, vstest.console.dll, InProgress is DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.282, 368940096001932, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.282, 368940096013634, vstest.console.dll, InProgress is DecentDB.Tests.AllDataTypesTests.Text_Unicode
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.282, 368940096025847, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.282, 368940096048148, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.282, 368940096060732, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.282, 368940096073035, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.282, 368940096088124, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.282, 368940096083435, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.283, 368940096138719, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.283, 368940096144549, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.283, 368940096185767, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.283, 368940096213569, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.283, 368940096241301, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.283, 368940096324006, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"9e485601-5e02-da40-50e5-16d0e67ac725","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetBytes","DisplayName":"DecentDB.Tests.DataReaderTests.GetBytes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4eb957d143f425b477fdfc8bd4b5dadd388ca5b5"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetBytes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetBytes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016046","StartTime":"2026-02-08T20:24:20.2752208+00:00","EndTime":"2026-02-08T20:24:20.2780067+00:00","Properties":[]},{"TestCase":{"Id":"7db36bec-bbb4-8c43-27e5-b85fdfb80bbd","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cd2b759ef17a179c1809dd80629413b0b89ef22b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0014119","StartTime":"2026-02-08T20:24:20.2766111+00:00","EndTime":"2026-02-08T20:24:20.2782857+00:00","Properties":[]},{"TestCase":{"Id":"2e53b425-7943-cdd8-98b6-d6ccdc5d1e9f","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8a593324298317c9a92a0995a44c14a1f14cbc41"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnMetadata_NegativeIndex_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012441","StartTime":"2026-02-08T20:24:20.2769987+00:00","EndTime":"2026-02-08T20:24:20.2785446+00:00","Properties":[]},{"TestCase":{"Id":"452a856b-4253-4cc7-2300-72cbfe81feba","FullyQualifiedName":"DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot","DisplayName":"DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4496d126d7bc70421a85d9423799749dca9b7e06"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TransactionIsolationLevelSnapshot"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014675","StartTime":"2026-02-08T20:24:20.2767594+00:00","EndTime":"2026-02-08T20:24:20.2787751+00:00","Properties":[]},{"TestCase":{"Id":"8aeecf70-e574-4b10-4997-f1477257b4f4","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"68a16c19ae772577713af6996ac45f54a6f3f48c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ResetThrowsOnError"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008632","StartTime":"2026-02-08T20:24:20.2779373+00:00","EndTime":"2026-02-08T20:24:20.2790177+00:00","Properties":[]},{"TestCase":{"Id":"7f2aada0-6a30-f5f7-f00c-479baec7b8ef","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Text_Unicode","DisplayName":"DecentDB.Tests.AllDataTypesTests.Text_Unicode","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"199f7911d25301768ba228f6cd6e9defaada20f5"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Text_Unicode"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Text_Unicode","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016886","StartTime":"2026-02-08T20:24:20.2772289+00:00","EndTime":"2026-02-08T20:24:20.2792847+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":55,"Stats":{"Passed":55}},"ActiveTests":[{"Id":"ad748703-0637-4c65-bf99-d45ccf0b6224","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetOrdinal","DisplayName":"DecentDB.Tests.DataReaderTests.GetOrdinal","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"57fa2da4dfe475cf92f6b05d98890db65e7f42a6"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetOrdinal"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"71281565-e82b-a555-5809-49b9c5741e1f","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8f3b4a356435508e25548cbd6138ebba1f62af53"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_GetDecimal_ZeroScale"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"fdf5cc96-6734-c39c-7425-02409498c427","FullyQualifiedName":"DecentDB.Tests.TransactionTests.AutoRollbackOnDispose","DisplayName":"DecentDB.Tests.TransactionTests.AutoRollbackOnDispose","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4a51853ae46b32ce556934ed4735e8d013848487"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AutoRollbackOnDispose"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},{"Id":"e49571e0-2cb5-c5bc-b2ae-713c2c5173a1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6c38acfbdfdca62454f8d8a32881015c15fe80f2"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Getters_AfterDisposal"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.284, 368940097627244, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.284, 368940097669433, vstest.console.dll, InProgress is DecentDB.Tests.DataReaderTests.GetOrdinal
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.284, 368940097685624, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.284, 368940097701573, vstest.console.dll, InProgress is DecentDB.Tests.TransactionTests.AutoRollbackOnDispose
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.284, 368940097717483, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.284, 368940097746548, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.284, 368940097765514, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.284, 368940097777436, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.284, 368940097784088, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.284, 368940097832449, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.284, 368940097846325, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.284, 368940097884247, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.284, 368940097892121, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.284, 368940097932157, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.284, 368940097959738, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.284, 368940097987510, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.284, 368940098085204, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"13bfed11-d8a3-c3f7-bb22-1a976bbc4d97","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds","DisplayName":"DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"33502a6142b40161db00180ef7bec8209e363b26"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0271828","StartTime":"2026-02-08T20:24:20.2154698+00:00","EndTime":"2026-02-08T20:24:20.2801501+00:00","Properties":[]},{"TestCase":{"Id":"c8eb4232-bf9c-61ff-49c8-e91c969811d7","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_Text_Interop","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Text_Interop","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"802ec798dd83b575224a6167a843c9f2c11f5ba0"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_Text_Interop"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Text_Interop","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0271941","StartTime":"2026-02-08T20:24:20.2135975+00:00","EndTime":"2026-02-08T20:24:20.2802893+00:00","Properties":[]},{"TestCase":{"Id":"ad748703-0637-4c65-bf99-d45ccf0b6224","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetOrdinal","DisplayName":"DecentDB.Tests.DataReaderTests.GetOrdinal","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"57fa2da4dfe475cf92f6b05d98890db65e7f42a6"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetOrdinal"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetOrdinal","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012680","StartTime":"2026-02-08T20:24:20.2782047+00:00","EndTime":"2026-02-08T20:24:20.2805265+00:00","Properties":[]},{"TestCase":{"Id":"fdf5cc96-6734-c39c-7425-02409498c427","FullyQualifiedName":"DecentDB.Tests.TransactionTests.AutoRollbackOnDispose","DisplayName":"DecentDB.Tests.TransactionTests.AutoRollbackOnDispose","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4a51853ae46b32ce556934ed4735e8d013848487"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AutoRollbackOnDispose"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TransactionTests.AutoRollbackOnDispose","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012678","StartTime":"2026-02-08T20:24:20.2789522+00:00","EndTime":"2026-02-08T20:24:20.2808589+00:00","Properties":[]},{"TestCase":{"Id":"e49571e0-2cb5-c5bc-b2ae-713c2c5173a1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6c38acfbdfdca62454f8d8a32881015c15fe80f2"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Getters_AfterDisposal"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012202","StartTime":"2026-02-08T20:24:20.2791916+00:00","EndTime":"2026-02-08T20:24:20.2810477+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":60,"Stats":{"Passed":60}},"ActiveTests":[{"Id":"620c5c7e-9611-4523-616d-fe0f7a9a7eb0","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues","DisplayName":"DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"25cc9f44b191deb80d9d7ac6e7fc1c04f8f1ef92"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Int64_BoundaryValues"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"754486ab-2a78-0e34-ed0e-27e202154c7e","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes","DisplayName":"DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"368b48cf4819579ca4fa59f4cf28731bfc026a0f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MaxLength_UsesUtf8Bytes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},{"Id":"086c8aef-d47c-95f1-6e30-dedcc5e17f2f","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a305aca01152126cdbeac768aefcb672fbbf4e61"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_Overflow_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},{"Id":"e98c3f1f-3796-bd93-e9f8-e0f2716463e2","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.RecordsAffected","DisplayName":"DecentDB.Tests.DataReaderTests.RecordsAffected","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"616aeb6118e3e445ed252c25edb6bc74fd2146b0"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RecordsAffected"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"4db15c91-7ebc-86d2-35f5-cce5292b76e4","FullyQualifiedName":"DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported","DisplayName":"DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e026d4843612b972077c601d5903361e488c03c2"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NestedTransactionsNotSupported"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.286, 368940099240443, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.286, 368940099271241, vstest.console.dll, InProgress is DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.286, 368940099284747, vstest.console.dll, InProgress is DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.286, 368940099295547, vstest.console.dll, InProgress is DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.286, 368940099306998, vstest.console.dll, InProgress is DecentDB.Tests.DataReaderTests.RecordsAffected
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.286, 368940099319151, vstest.console.dll, InProgress is DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.286, 368940099339600, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.286, 368940099351722, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.286, 368940099369987, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.286, 368940099373513, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.286, 368940099387109, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.286, 368940099430951, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.286, 368940099442713, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.286, 368940099489742, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.286, 368940099526531, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.286, 368940099557719, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.286, 368940099633522, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"71281565-e82b-a555-5809-49b9c5741e1f","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8f3b4a356435508e25548cbd6138ebba1f62af53"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_GetDecimal_ZeroScale"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020247","StartTime":"2026-02-08T20:24:20.278723+00:00","EndTime":"2026-02-08T20:24:20.2818967+00:00","Properties":[]},{"TestCase":{"Id":"20c3c29b-7c67-a31d-55e7-f235cc05d8d3","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8b424eecaede8065f38fc9d7a73e9d5724d427bd"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBException_HasCorrectProperties"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011272","StartTime":"2026-02-08T20:24:20.2818289+00:00","EndTime":"2026-02-08T20:24:20.2821331+00:00","Properties":[]},{"TestCase":{"Id":"086c8aef-d47c-95f1-6e30-dedcc5e17f2f","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a305aca01152126cdbeac768aefcb672fbbf4e61"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_Overflow_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019527","StartTime":"2026-02-08T20:24:20.2806509+00:00","EndTime":"2026-02-08T20:24:20.2823564+00:00","Properties":[]},{"TestCase":{"Id":"e98c3f1f-3796-bd93-e9f8-e0f2716463e2","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.RecordsAffected","DisplayName":"DecentDB.Tests.DataReaderTests.RecordsAffected","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"616aeb6118e3e445ed252c25edb6bc74fd2146b0"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RecordsAffected"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.RecordsAffected","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019803","StartTime":"2026-02-08T20:24:20.2807837+00:00","EndTime":"2026-02-08T20:24:20.2826009+00:00","Properties":[]},{"TestCase":{"Id":"620c5c7e-9611-4523-616d-fe0f7a9a7eb0","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues","DisplayName":"DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"25cc9f44b191deb80d9d7ac6e7fc1c04f8f1ef92"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Int64_BoundaryValues"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024518","StartTime":"2026-02-08T20:24:20.28004+00:00","EndTime":"2026-02-08T20:24:20.2828322+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":65,"Stats":{"Passed":65}},"ActiveTests":[{"Id":"de43221d-e8e7-dc20-1de4-c9922cdc544e","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bf3bfbbb3d9e7c05c0e96e733c4f175973685e5c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_HighValue_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"6c618b27-d6ee-3544-d82c-6a45a0f8e71e","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b99f8d37dbc80818dc35a4cd614cc278612d9900"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_NegativeLargeValue_Works"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"fa469f6f-17af-ac42-4dd4-b77566604395","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_RoundTrip","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a382563cabc7ad5a73cb5fd44d58355361e05d88"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},{"Id":"27d1dee7-8280-c3bd-4925-e0334e28bd0e","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.HasRowsAndDepth","DisplayName":"DecentDB.Tests.DataReaderTests.HasRowsAndDepth","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"63f4ee847257afd210a60c88ea920a83e49121fc"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"HasRowsAndDepth"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"ffc165f2-ce91-3360-78d8-287db827c828","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse","DisplayName":"DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"27382039f7f8332297bab30e671ee540bbc2ccf7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Bool_TrueAndFalse"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.287, 368940100755359, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.287, 368940100786086, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.287, 368940100798590, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.287, 368940100813558, vstest.console.dll, InProgress is DecentDB.Tests.DecimalTests.Decimal_RoundTrip
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.287, 368940100825069, vstest.console.dll, InProgress is DecentDB.Tests.DataReaderTests.HasRowsAndDepth
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.287, 368940100837763, vstest.console.dll, InProgress is DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.287, 368940100857570, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.287, 368940100869914, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.287, 368940100884040, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.287, 368940100888338, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.287, 368940100899710, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.287, 368940100941779, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.287, 368940100949573, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.287, 368940100984138, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.287, 368940101019925, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.287, 368940101048609, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.288, 368940101144579, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"99cfd983-88e3-52e0-a21b-8b07ef09d1a5","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip","DisplayName":"DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"585f9167e3850261bee0096b801d6dd4e88ebeb7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UuidColumnRoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0062499","StartTime":"2026-02-08T20:24:20.2740686+00:00","EndTime":"2026-02-08T20:24:20.2836697+00:00","Properties":[]},{"TestCase":{"Id":"d9444345-34d8-ae97-36b5-5e21b1c2159a","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0b819ef1f1ef630994e60062bebeb06b862606fd"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindMultipleTypesInSingleStatement"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0306749","StartTime":"2026-02-08T20:24:20.2104141+00:00","EndTime":"2026-02-08T20:24:20.2839478+00:00","Properties":[]},{"TestCase":{"Id":"0d920d3f-54e6-2905-f377-142f1404058d","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.GuidParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.GuidParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"01a5f0a3317e5466c242e67476b8e1266c179542"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GuidParameterBinding"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.GuidParameterBinding","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0309008","StartTime":"2026-02-08T20:24:20.2137754+00:00","EndTime":"2026-02-08T20:24:20.2840541+00:00","Properties":[]},{"TestCase":{"Id":"56734fb1-3027-aead-4696-55c05a9ddd5b","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithPositionalParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithPositionalParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0395970922ecbe42c094c2e5cc03bbc5906a10a4"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithPositionalParameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.SelectWithPositionalParameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0309671","StartTime":"2026-02-08T20:24:20.2134599+00:00","EndTime":"2026-02-08T20:24:20.2843849+00:00","Properties":[]},{"TestCase":{"Id":"4db15c91-7ebc-86d2-35f5-cce5292b76e4","FullyQualifiedName":"DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported","DisplayName":"DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e026d4843612b972077c601d5903361e488c03c2"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NestedTransactionsNotSupported"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0029918","StartTime":"2026-02-08T20:24:20.2817295+00:00","EndTime":"2026-02-08T20:24:20.2845018+00:00","Properties":[]},{"TestCase":{"Id":"97a7713a-dfde-597d-d261-c949144fee53","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.DoubleBindNull","DisplayName":"DecentDB.Tests.NativeLayerTests.DoubleBindNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"603df9593ad350c447ea42abf41d66322a3b42db"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DoubleBindNull"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.DoubleBindNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012928","StartTime":"2026-02-08T20:24:20.2838681+00:00","EndTime":"2026-02-08T20:24:20.2848726+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":71,"Stats":{"Passed":71}},"ActiveTests":[{"Id":"fff966c6-fb62-c2ef-b78c-abf489a18cb1","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"54d0247664af93870716b04db9aef0563c8199d6"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindParametersAtExtremeIndices"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"2ba69c73-1f73-4ea8-fc16-2dcf07547641","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios","DisplayName":"DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"155f50b64ea889a3e09df1fd7dd6c9333d6e327c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CommandTimeoutScenarios"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"898590e0-4291-27e9-9894-6605f9ecaed0","FullyQualifiedName":"DecentDB.Tests.DmlTests.ExecuteScalar","DisplayName":"DecentDB.Tests.DmlTests.ExecuteScalar","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2c903838ab776a17d561e65e0eb196235880ee7e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExecuteScalar"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},{"Id":"6ef88a32-5315-b95a-2f5c-fa20480bc58c","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6e8bdfc4dfb2bef7e1d07aa09ec70d909ef42cd1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GuidBindingAndRetrieval"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.289, 368940102257730, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.289, 368940102282647, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.289, 368940102295180, vstest.console.dll, InProgress is DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.289, 368940102306912, vstest.console.dll, InProgress is DecentDB.Tests.DmlTests.ExecuteScalar
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.289, 368940102317743, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.289, 368940102337289, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.289, 368940102350915, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.289, 368940102363459, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.289, 368940102366865, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.289, 368940102410006, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.289, 368940102417741, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.289, 368940102428801, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.289, 368940102461513, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.289, 368940102496539, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.289, 368940102525282, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.289, 368940102563274, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.289, 368940102625501, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"754486ab-2a78-0e34-ed0e-27e202154c7e","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes","DisplayName":"DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"368b48cf4819579ca4fa59f4cf28731bfc026a0f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MaxLength_UsesUtf8Bytes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0038348","StartTime":"2026-02-08T20:24:20.2805986+00:00","EndTime":"2026-02-08T20:24:20.2855542+00:00","Properties":[]},{"TestCase":{"Id":"6c618b27-d6ee-3544-d82c-6a45a0f8e71e","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b99f8d37dbc80818dc35a4cd614cc278612d9900"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_NegativeLargeValue_Works"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0022659","StartTime":"2026-02-08T20:24:20.2823148+00:00","EndTime":"2026-02-08T20:24:20.2858747+00:00","Properties":[]},{"TestCase":{"Id":"27d1dee7-8280-c3bd-4925-e0334e28bd0e","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.HasRowsAndDepth","DisplayName":"DecentDB.Tests.DataReaderTests.HasRowsAndDepth","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"63f4ee847257afd210a60c88ea920a83e49121fc"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"HasRowsAndDepth"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.HasRowsAndDepth","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0021858","StartTime":"2026-02-08T20:24:20.282768+00:00","EndTime":"2026-02-08T20:24:20.2859899+00:00","Properties":[]},{"TestCase":{"Id":"fa469f6f-17af-ac42-4dd4-b77566604395","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_RoundTrip","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a382563cabc7ad5a73cb5fd44d58355361e05d88"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecimalTests.Decimal_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023665","StartTime":"2026-02-08T20:24:20.2825498+00:00","EndTime":"2026-02-08T20:24:20.2863831+00:00","Properties":[]},{"TestCase":{"Id":"2ba69c73-1f73-4ea8-fc16-2dcf07547641","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios","DisplayName":"DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"155f50b64ea889a3e09df1fd7dd6c9333d6e327c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CommandTimeoutScenarios"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007893","StartTime":"2026-02-08T20:24:20.2843101+00:00","EndTime":"2026-02-08T20:24:20.2865883+00:00","Properties":[]},{"TestCase":{"Id":"ffc165f2-ce91-3360-78d8-287db827c828","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse","DisplayName":"DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"27382039f7f8332297bab30e671ee540bbc2ccf7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Bool_TrueAndFalse"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020952","StartTime":"2026-02-08T20:24:20.2835745+00:00","EndTime":"2026-02-08T20:24:20.2868526+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":77,"Stats":{"Passed":77}},"ActiveTests":[{"Id":"9cf8d764-ca66-213e-99f5-bf6746d5973e","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip","DisplayName":"DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f1d29da09ea24e76a59afab4005376dbbcde9b1d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},{"Id":"bf073563-b61e-9136-3795-ef68237074d1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"de9ae0d30bdbd314246c6d1c830e13943cee7510"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnStepAfterFinalize"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"370ef913-c63e-788d-4032-cf09b0b93e7e","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetGuid","DisplayName":"DecentDB.Tests.DataReaderTests.GetGuid","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9bb6bb833a5506f2f7a6b463d0aaeb15e070b9af"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetGuid"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"1a261586-4ae0-568b-7ed2-1bb4f89ac4ee","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation","DisplayName":"DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"225dc549fdc3b4b203bbd23275105bf969c2002f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MicroOrm_EntityValidation"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.290, 368940103786241, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.290, 368940103814894, vstest.console.dll, InProgress is DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.290, 368940103827187, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.290, 368940103838389, vstest.console.dll, InProgress is DecentDB.Tests.DataReaderTests.GetGuid
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.290, 368940103850181, vstest.console.dll, InProgress is DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.290, 368940103870389, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.290, 368940103883543, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.290, 368940103895967, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.290, 368940103903551, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.290, 368940103910103, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.290, 368940103953946, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.290, 368940103963814, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.290, 368940104007266, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.290, 368940104038114, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.290, 368940104059564, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.290, 368940104079461, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.291, 368940104176373, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"898590e0-4291-27e9-9894-6605f9ecaed0","FullyQualifiedName":"DecentDB.Tests.DmlTests.ExecuteScalar","DisplayName":"DecentDB.Tests.DmlTests.ExecuteScalar","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2c903838ab776a17d561e65e0eb196235880ee7e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExecuteScalar"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.ExecuteScalar","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010140","StartTime":"2026-02-08T20:24:20.2847064+00:00","EndTime":"2026-02-08T20:24:20.2875822+00:00","Properties":[]},{"TestCase":{"Id":"fff966c6-fb62-c2ef-b78c-abf489a18cb1","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"54d0247664af93870716b04db9aef0563c8199d6"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindParametersAtExtremeIndices"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011650","StartTime":"2026-02-08T20:24:20.2842798+00:00","EndTime":"2026-02-08T20:24:20.287807+00:00","Properties":[]},{"TestCase":{"Id":"bf073563-b61e-9136-3795-ef68237074d1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"de9ae0d30bdbd314246c6d1c830e13943cee7510"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnStepAfterFinalize"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007500","StartTime":"2026-02-08T20:24:20.2862141+00:00","EndTime":"2026-02-08T20:24:20.2881303+00:00","Properties":[]},{"TestCase":{"Id":"de43221d-e8e7-dc20-1de4-c9922cdc544e","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bf3bfbbb3d9e7c05c0e96e733c4f175973685e5c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_HighValue_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0040892","StartTime":"2026-02-08T20:24:20.2820683+00:00","EndTime":"2026-02-08T20:24:20.2883862+00:00","Properties":[]},{"TestCase":{"Id":"370ef913-c63e-788d-4032-cf09b0b93e7e","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetGuid","DisplayName":"DecentDB.Tests.DataReaderTests.GetGuid","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9bb6bb833a5506f2f7a6b463d0aaeb15e070b9af"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetGuid"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetGuid","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013262","StartTime":"2026-02-08T20:24:20.2862703+00:00","EndTime":"2026-02-08T20:24:20.2886245+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":82,"Stats":{"Passed":82}},"ActiveTests":[{"Id":"461a87d7-1105-9952-0df1-5cd12ec07e6b","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Float64_Precision","DisplayName":"DecentDB.Tests.AllDataTypesTests.Float64_Precision","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"762c98a006c4d52224087c0b7244a83a15b69c0b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Float64_Precision"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"33529275-7d1b-ebbb-027e-205f696483b2","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithNamedParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithNamedParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3cdda7aa2ad98ac4da78188fafa8c5bb66e290f3"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithNamedParameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},{"Id":"f71550d2-c6a8-4642-9b15-124c9bee0cea","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8a486f320c666503c231a777008f32943f5c2743"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_MultipleStepsAndResets"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"187fbf00-a7bb-901e-0a1e-fe6538528c34","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e157122c0da7457fe6fb276b0df5fe64550b5f2f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_WithInvalidOptions_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"2da5cb7e-7045-94f0-81a9-5a24d0c8c9ab","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d714e04ca1f688b07027e5abd5a514553f53d751"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SafeHandles_IsInvalid_Property"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.292, 368940105412224, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.292, 368940105444655, vstest.console.dll, InProgress is DecentDB.Tests.AllDataTypesTests.Float64_Precision
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.292, 368940105456838, vstest.console.dll, InProgress is DecentDB.Tests.DmlTests.SelectWithNamedParameters
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.292, 368940105468550, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.292, 368940105481394, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.292, 368940105492174, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.292, 368940105511962, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.292, 368940105529314, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.292, 368940105542920, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.292, 368940105546005, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.292, 368940105560372, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.292, 368940105603483, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.292, 368940105639481, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.292, 368940105667363, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.292, 368940105697199, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.293, 368940106464090, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.293, 368940106726943, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"187fbf00-a7bb-901e-0a1e-fe6538528c34","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e157122c0da7457fe6fb276b0df5fe64550b5f2f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_WithInvalidOptions_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007150","StartTime":"2026-02-08T20:24:20.2883091+00:00","EndTime":"2026-02-08T20:24:20.2894118+00:00","Properties":[]},{"TestCase":{"Id":"6ef88a32-5315-b95a-2f5c-fa20480bc58c","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6e8bdfc4dfb2bef7e1d07aa09ec70d909ef42cd1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GuidBindingAndRetrieval"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019459","StartTime":"2026-02-08T20:24:20.2856976+00:00","EndTime":"2026-02-08T20:24:20.2896535+00:00","Properties":[]},{"TestCase":{"Id":"b794905d-2c43-2f54-028a-8d4ac6400002","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase","DisplayName":"DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c2797006393d41ad5ff26849e7767ec0ea1cd9eb"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenNonExistentDatabase"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0101594","StartTime":"2026-02-08T20:24:20.2732068+00:00","EndTime":"2026-02-08T20:24:20.289906+00:00","Properties":[]},{"TestCase":{"Id":"2da5cb7e-7045-94f0-81a9-5a24d0c8c9ab","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d714e04ca1f688b07027e5abd5a514553f53d751"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SafeHandles_IsInvalid_Property"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008032","StartTime":"2026-02-08T20:24:20.288561+00:00","EndTime":"2026-02-08T20:24:20.2922443+00:00","Properties":[]},{"TestCase":{"Id":"461a87d7-1105-9952-0df1-5cd12ec07e6b","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Float64_Precision","DisplayName":"DecentDB.Tests.AllDataTypesTests.Float64_Precision","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"762c98a006c4d52224087c0b7244a83a15b69c0b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Float64_Precision"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Float64_Precision","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023040","StartTime":"2026-02-08T20:24:20.2875034+00:00","EndTime":"2026-02-08T20:24:20.2926054+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":87,"Stats":{"Passed":87}},"ActiveTests":[{"Id":"d49a9a10-d54d-1ed3-ebab-a2bbc25b0546","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetDataTypeName","DisplayName":"DecentDB.Tests.DataReaderTests.GetDataTypeName","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cdd1b96e7e8a62c45544544be3a75e91feef0eb3"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetDataTypeName"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"8e2bc982-dc42-ec80-44d0-70054bbf7789","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e66d4e720f0a3deced274c68bff0f6daafa0c487"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"f8d70f4e-e526-c9a5-e2b6-ccac2d764d95","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7d032fdf4e296ccbb411cbb6e51fdf248d880438"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"BoolBindingAndRetrieval"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"495d98e5-4857-272d-736a-7f294f6483f8","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"da9d4c2fdd07266a070c0a111b59722db6ecbc26"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Getters_OutOfBoundsIndex"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"c9d1ae63-d030-9c5d-2d06-4772488cb53e","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes","DisplayName":"DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"92627d7c162deb2b05fe4fbd3bd08bd228e79063"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetValue_ReturnsCorrectBoxedTypes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.295, 368940108403872, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.295, 368940108439899, vstest.console.dll, InProgress is DecentDB.Tests.DataReaderTests.GetDataTypeName
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.295, 368940108462301, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.295, 368940108480606, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.295, 368940108498720, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.295, 368940108517154, vstest.console.dll, InProgress is DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.295, 368940108549816, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.295, 368940108569122, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.295, 368940108587106, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.295, 368940108614507, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 3 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.295, 368940108585683, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.295, 368940108641117, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.295, 368940108686803, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.295, 368940108718042, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.295, 368940108748168, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.295, 368940108775289, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.295, 368940108896236, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"f71550d2-c6a8-4642-9b15-124c9bee0cea","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8a486f320c666503c231a777008f32943f5c2743"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_MultipleStepsAndResets"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020588","StartTime":"2026-02-08T20:24:20.288067+00:00","EndTime":"2026-02-08T20:24:20.2935247+00:00","Properties":[]},{"TestCase":{"Id":"d49a9a10-d54d-1ed3-ebab-a2bbc25b0546","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetDataTypeName","DisplayName":"DecentDB.Tests.DataReaderTests.GetDataTypeName","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cdd1b96e7e8a62c45544544be3a75e91feef0eb3"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetDataTypeName"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetDataTypeName","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013008","StartTime":"2026-02-08T20:24:20.2892932+00:00","EndTime":"2026-02-08T20:24:20.2937326+00:00","Properties":[]},{"TestCase":{"Id":"8e2bc982-dc42-ec80-44d0-70054bbf7789","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e66d4e720f0a3deced274c68bff0f6daafa0c487"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014368","StartTime":"2026-02-08T20:24:20.2896144+00:00","EndTime":"2026-02-08T20:24:20.2940373+00:00","Properties":[]},{"TestCase":{"Id":"f8d70f4e-e526-c9a5-e2b6-ccac2d764d95","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7d032fdf4e296ccbb411cbb6e51fdf248d880438"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"BoolBindingAndRetrieval"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014319","StartTime":"2026-02-08T20:24:20.2898646+00:00","EndTime":"2026-02-08T20:24:20.2941812+00:00","Properties":[]},{"TestCase":{"Id":"33529275-7d1b-ebbb-027e-205f696483b2","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithNamedParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithNamedParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3cdda7aa2ad98ac4da78188fafa8c5bb66e290f3"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithNamedParameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.SelectWithNamedParameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026609","StartTime":"2026-02-08T20:24:20.2877842+00:00","EndTime":"2026-02-08T20:24:20.2944127+00:00","Properties":[]},{"TestCase":{"Id":"495d98e5-4857-272d-736a-7f294f6483f8","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"da9d4c2fdd07266a070c0a111b59722db6ecbc26"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Getters_OutOfBoundsIndex"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013777","StartTime":"2026-02-08T20:24:20.2924763+00:00","EndTime":"2026-02-08T20:24:20.2946443+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":93,"Stats":{"Passed":93}},"ActiveTests":[{"Id":"f6f3a14d-fa45-f1e8-0164-bdf44936f273","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a2ed03b20fad28d8e22842f7bd09e5bca8fa74e8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindText_WithVeryLongString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"8e72e101-94af-da78-f802-0f9c08cf21fa","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.IndexerAccess","DisplayName":"DecentDB.Tests.DataReaderTests.IndexerAccess","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d830cd81d14a10a493f8e506f7f2a9f066ccf08b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"IndexerAccess"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"757dd737-b933-2262-4371-4b716f45b747","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8abc5b667abacff7a96aee1714fa914f57527015"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TextBindingAndRetrieval"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"dfebeb0f-c17a-fccd-e3a0-364461e7d033","FullyQualifiedName":"DecentDB.Tests.DmlTests.UpdateAndDelete","DisplayName":"DecentDB.Tests.DmlTests.UpdateAndDelete","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7457bcb6567538a58faa8d97138721c40f6c79ee"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAndDelete"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.297, 368940110629902, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.297, 368940110672411, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.297, 368940110692840, vstest.console.dll, InProgress is DecentDB.Tests.DataReaderTests.IndexerAccess
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.297, 368940110709110, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.297, 368940110724359, vstest.console.dll, InProgress is DecentDB.Tests.DmlTests.UpdateAndDelete
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.297, 368940110756720, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.297, 368940110774293, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.297, 368940110784562, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.297, 368940110792417, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.297, 368940110829797, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.297, 368940110840527, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 2 ms
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.297, 368940110877366, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.297, 368940110884730, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.297, 368940110920187, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.297, 368940110957687, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.297, 368940110989417, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.297, 368940111111456, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"eef85a2c-8dcf-89ea-5828-78e763cef34d","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperScalar","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperScalar","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"18c05465f695461bcaa8720adfd4db8911dca4bc"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperScalar"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperScalar","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0380879","StartTime":"2026-02-08T20:24:20.2153537+00:00","EndTime":"2026-02-08T20:24:20.2953751+00:00","Properties":[]},{"TestCase":{"Id":"757dd737-b933-2262-4371-4b716f45b747","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8abc5b667abacff7a96aee1714fa914f57527015"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TextBindingAndRetrieval"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010792","StartTime":"2026-02-08T20:24:20.2943591+00:00","EndTime":"2026-02-08T20:24:20.2956895+00:00","Properties":[]},{"TestCase":{"Id":"cf2b7d47-6b7a-c825-83bd-861dcc272b9c","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e95a9f7d9d8a0d1ddf0f91890d6f98cef1c46b27"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Dispose_MultipleTimes_DoesNotThrow"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006901","StartTime":"2026-02-08T20:24:20.2953215+00:00","EndTime":"2026-02-08T20:24:20.2959366+00:00","Properties":[]},{"TestCase":{"Id":"8e72e101-94af-da78-f802-0f9c08cf21fa","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.IndexerAccess","DisplayName":"DecentDB.Tests.DataReaderTests.IndexerAccess","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d830cd81d14a10a493f8e506f7f2a9f066ccf08b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"IndexerAccess"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.IndexerAccess","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0021002","StartTime":"2026-02-08T20:24:20.293947+00:00","EndTime":"2026-02-08T20:24:20.2961981+00:00","Properties":[]},{"TestCase":{"Id":"dfebeb0f-c17a-fccd-e3a0-364461e7d033","FullyQualifiedName":"DecentDB.Tests.DmlTests.UpdateAndDelete","DisplayName":"DecentDB.Tests.DmlTests.UpdateAndDelete","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7457bcb6567538a58faa8d97138721c40f6c79ee"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAndDelete"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.UpdateAndDelete","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016615","StartTime":"2026-02-08T20:24:20.2945807+00:00","EndTime":"2026-02-08T20:24:20.2964411+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":98,"Stats":{"Passed":98}},"ActiveTests":[{"Id":"76f5d7ad-3f72-3483-57fe-4356c31211fe","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperAsync","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1f20a463a21014e1a1ae4626361cf8cff8136c20"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperAsync"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},{"Id":"6b1c661a-37d3-0d6c-cef5-8c2a92391e43","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.RowView","DisplayName":"DecentDB.Tests.NativeLayerTests.RowView","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"935027d154e6850f220464a799675c2251f1972d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"77b11dc1-bb69-864b-ffb8-e2aff59cc4df","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ef75bdcb9d066edd1b539f0b154d50c6327dce70"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_Overflow_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"36d27bec-f5a0-ec59-0b9b-9cc0e745bdde","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetFieldValue","DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldValue","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ede64bbcd91c03b0bb1736828f82fd6933d57663"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetFieldValue"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"f33220a7-1a4d-247c-b3ed-6aef6a2c4b73","FullyQualifiedName":"DecentDB.Tests.DmlTests.CreateTableAndInsert","DisplayName":"DecentDB.Tests.DmlTests.CreateTableAndInsert","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"870bf01b3154b84e74cd404e3e561bbd279e9d40"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CreateTableAndInsert"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.299, 368940112824533, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.299, 368940112863005, vstest.console.dll, InProgress is DecentDB.Tests.DapperIntegrationTests.TestDapperAsync
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.299, 368940112881380, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.RowView
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.299, 368940112900706, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.299, 368940112920193, vstest.console.dll, InProgress is DecentDB.Tests.DataReaderTests.GetFieldValue
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.299, 368940112941683, vstest.console.dll, InProgress is DecentDB.Tests.DmlTests.CreateTableAndInsert
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.299, 368940112976749, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.299, 368940112998029, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.299, 368940113005253, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.299, 368940113016734, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.299, 368940113055858, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.299, 368940113091134, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 2 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.299, 368940113094911, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.300, 368940113144354, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.300, 368940113190060, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.300, 368940113222501, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.300, 368940113454276, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"6b1c661a-37d3-0d6c-cef5-8c2a92391e43","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.RowView","DisplayName":"DecentDB.Tests.NativeLayerTests.RowView","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"935027d154e6850f220464a799675c2251f1972d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.RowView","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009898","StartTime":"2026-02-08T20:24:20.2958726+00:00","EndTime":"2026-02-08T20:24:20.2972416+00:00","Properties":[]},{"TestCase":{"Id":"77b11dc1-bb69-864b-ffb8-e2aff59cc4df","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ef75bdcb9d066edd1b539f0b154d50c6327dce70"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_Overflow_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009172","StartTime":"2026-02-08T20:24:20.2961211+00:00","EndTime":"2026-02-08T20:24:20.2974474+00:00","Properties":[]},{"TestCase":{"Id":"f6f3a14d-fa45-f1e8-0164-bdf44936f273","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a2ed03b20fad28d8e22842f7bd09e5bca8fa74e8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindText_WithVeryLongString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0032272","StartTime":"2026-02-08T20:24:20.2938518+00:00","EndTime":"2026-02-08T20:24:20.2978071+00:00","Properties":[]},{"TestCase":{"Id":"c9d1ae63-d030-9c5d-2d06-4772488cb53e","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes","DisplayName":"DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"92627d7c162deb2b05fe4fbd3bd08bd228e79063"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetValue_ReturnsCorrectBoxedTypes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0033293","StartTime":"2026-02-08T20:24:20.2934527+00:00","EndTime":"2026-02-08T20:24:20.2980724+00:00","Properties":[]},{"TestCase":{"Id":"f33220a7-1a4d-247c-b3ed-6aef6a2c4b73","FullyQualifiedName":"DecentDB.Tests.DmlTests.CreateTableAndInsert","DisplayName":"DecentDB.Tests.DmlTests.CreateTableAndInsert","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"870bf01b3154b84e74cd404e3e561bbd279e9d40"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CreateTableAndInsert"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.CreateTableAndInsert","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011063","StartTime":"2026-02-08T20:24:20.2971616+00:00","EndTime":"2026-02-08T20:24:20.2983167+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":103,"Stats":{"Passed":103}},"ActiveTests":[{"Id":"ba415e74-9550-70c6-90ae-6e319501a832","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.ErrorHandling","DisplayName":"DecentDB.Tests.NativeLayerTests.ErrorHandling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9432f772d0371657b2035141b1fe23516472d9f4"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ErrorHandling"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"3d5e7dde-d973-d621-3507-fa0bdd1942bb","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f39ea490af8f2204039def4d502416f5391256d1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_NullArray"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"282f5bbd-942c-2509-19d2-68c1c06d0506","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a6d79fbb5f792185c66fe8b70f96a457c2b8d6b3"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindGuid_WithMaxValue"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"eb4422f0-3bc1-ac53-2fe6-96a01ab57e29","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues","DisplayName":"DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a3c0863e945d4c2d6d47db7786e9f108ad6aa7f6"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Uuid_MultipleValues"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"12fdf661-4623-41b8-585a-19977f726a2e","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithMultipleParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithMultipleParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"903dfaa5134c95ac7c34e0c17370dd9b1630b74d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithMultipleParameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.301, 368940114814009, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.301, 368940114848484, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.ErrorHandling
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.301, 368940114862631, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.301, 368940114877899, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.301, 368940114894410, vstest.console.dll, InProgress is DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.301, 368940114908938, vstest.console.dll, InProgress is DecentDB.Tests.DmlTests.SelectWithMultipleParameters
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.301, 368940114939976, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.301, 368940114956758, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.301, 368940114969041, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.301, 368940114978448, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.301, 368940115026709, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.301, 368940115037469, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.301, 368940115072284, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.301, 368940115082213, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.301, 368940115124733, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.302, 368940115160440, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.302, 368940115309089, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"ba415e74-9550-70c6-90ae-6e319501a832","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.ErrorHandling","DisplayName":"DecentDB.Tests.NativeLayerTests.ErrorHandling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9432f772d0371657b2035141b1fe23516472d9f4"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ErrorHandling"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.ErrorHandling","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010527","StartTime":"2026-02-08T20:24:20.2975241+00:00","EndTime":"2026-02-08T20:24:20.2990338+00:00","Properties":[]},{"TestCase":{"Id":"3d5e7dde-d973-d621-3507-fa0bdd1942bb","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f39ea490af8f2204039def4d502416f5391256d1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_NullArray"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010467","StartTime":"2026-02-08T20:24:20.2976869+00:00","EndTime":"2026-02-08T20:24:20.299291+00:00","Properties":[]},{"TestCase":{"Id":"94a4ac31-7527-aae2-b45b-0b8dbd09284c","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4e4fd70a7815457e2bfe4f1ea99fe5e9a241c1af"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Non_Pooled_Mode_Works"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0240085","StartTime":"2026-02-08T20:24:20.2626683+00:00","EndTime":"2026-02-08T20:24:20.29947+00:00","Properties":[]},{"TestCase":{"Id":"27473ec4-9ff3-dc09-c5d3-8264915b4891","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"04a26d50f2980c51dac96819fb7eadfa54cba0ec"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_WithDifferentEntityTypes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0417274","StartTime":"2026-02-08T20:24:20.2136911+00:00","EndTime":"2026-02-08T20:24:20.2997767+00:00","Properties":[]},{"TestCase":{"Id":"0314bf26-828b-18e2-0966-160886b3d039","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02ef566fe97ce0688a500cb1037caf73165cb714"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstAsync_With_No_Results_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0385841","StartTime":"2026-02-08T20:24:20.2137203+00:00","EndTime":"2026-02-08T20:24:20.3000903+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":108,"Stats":{"Passed":108}},"ActiveTests":[{"Id":"6cb1b4c1-098f-2b38-577a-84f319dc8356","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.MultipleRows","DisplayName":"DecentDB.Tests.NativeLayerTests.MultipleRows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"af8391aa29bc770ce750bad358880a320d46ad35"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MultipleRows"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"cbbafa89-c465-99b3-9a26-eb241842e6b2","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fe1def8e9984bc7a9dae59ba4edb17c7fecc9e0b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnMetadata_OutOfBoundsIndex"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"a9dd18dd-e480-0336-9fe9-759f4997682e","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed","DisplayName":"DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"78ff761a0db8d19544fabf028dd4c0006953fad0"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Transactions_Are_Properly_Managed"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"7b7821b5-dd6e-ae2f-b80c-1b83b7a4bd3c","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"11f5ddc1145b9296ade878d1a6f63f242c101a5b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_BeginTransaction"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"d3b707b3-ab55-8df5-f0f7-a410f6e552e4","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"047c00cd0360ad36f2f68d631d2baf62d9c2fa14"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_Predicate"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.303, 368940116463958, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.303, 368940116499194, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.MultipleRows
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.303, 368940116512058, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.303, 368940116527527, vstest.console.dll, InProgress is DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.303, 368940116539780, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.303, 368940116551332, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.303, 368940116572532, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.303, 368940116585196, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.303, 368940116600715, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.303, 368940116610243, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.303, 368940116619009, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.303, 368940116665366, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.303, 368940116672600, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.303, 368940116706203, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.303, 368940116742040, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.303, 368940116773058, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.303, 368940116869489, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"cbbafa89-c465-99b3-9a26-eb241842e6b2","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fe1def8e9984bc7a9dae59ba4edb17c7fecc9e0b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnMetadata_OutOfBoundsIndex"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007589","StartTime":"2026-02-08T20:24:20.2996068+00:00","EndTime":"2026-02-08T20:24:20.3008415+00:00","Properties":[]},{"TestCase":{"Id":"36d27bec-f5a0-ec59-0b9b-9cc0e745bdde","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetFieldValue","DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldValue","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ede64bbcd91c03b0bb1736828f82fd6933d57663"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetFieldValue"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldValue","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026103","StartTime":"2026-02-08T20:24:20.2963784+00:00","EndTime":"2026-02-08T20:24:20.3010259+00:00","Properties":[]},{"TestCase":{"Id":"12fdf661-4623-41b8-585a-19977f726a2e","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithMultipleParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithMultipleParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"903dfaa5134c95ac7c34e0c17370dd9b1630b74d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithMultipleParameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.SelectWithMultipleParameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015931","StartTime":"2026-02-08T20:24:20.2989797+00:00","EndTime":"2026-02-08T20:24:20.3012926+00:00","Properties":[]},{"TestCase":{"Id":"282f5bbd-942c-2509-19d2-68c1c06d0506","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a6d79fbb5f792185c66fe8b70f96a457c2b8d6b3"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindGuid_WithMaxValue"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019140","StartTime":"2026-02-08T20:24:20.2980207+00:00","EndTime":"2026-02-08T20:24:20.3015125+00:00","Properties":[]},{"TestCase":{"Id":"6cb1b4c1-098f-2b38-577a-84f319dc8356","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.MultipleRows","DisplayName":"DecentDB.Tests.NativeLayerTests.MultipleRows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"af8391aa29bc770ce750bad358880a320d46ad35"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MultipleRows"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.MultipleRows","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016374","StartTime":"2026-02-08T20:24:20.2992246+00:00","EndTime":"2026-02-08T20:24:20.3017477+00:00","Properties":[]},{"TestCase":{"Id":"1a261586-4ae0-568b-7ed2-1bb4f89ac4ee","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation","DisplayName":"DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"225dc549fdc3b4b203bbd23275105bf969c2002f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MicroOrm_EntityValidation"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0091064","StartTime":"2026-02-08T20:24:20.2868013+00:00","EndTime":"2026-02-08T20:24:20.3020637+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":114,"Stats":{"Passed":114}},"ActiveTests":[{"Id":"b2b8985b-0a8b-e888-8e86-d6626f184ede","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetFieldType","DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldType","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f7738d2a43618f84cc0790b093496da5de540653"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetFieldType"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"713407d2-3ac4-09cf-4203-9a0cea21e323","FullyQualifiedName":"DecentDB.Tests.DmlTests.NullParameterHandling","DisplayName":"DecentDB.Tests.DmlTests.NullParameterHandling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e4a6167338cd7c4d804e54331caf26a1a3c32a98"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NullParameterHandling"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},{"Id":"d4d60062-34b2-c3cf-e1c1-ea9c74e02aa4","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b9144cf4114414eb90c7aef890ed271e94387e4d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindFloatWithExtremeValues"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"8ba36eed-8093-08b9-2c23-e984e7f6bfe7","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b678de00515aa4943c54802754e7c31677fdfaa5"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecimalBindingAndRetrieval"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.304, 368940117998349, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.304, 368940118028716, vstest.console.dll, InProgress is DecentDB.Tests.DataReaderTests.GetFieldType
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.304, 368940118047221, vstest.console.dll, InProgress is DecentDB.Tests.DmlTests.NullParameterHandling
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.304, 368940118063622, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.304, 368940118078540, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.304, 368940118105831, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.305, 368940118131679, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.305, 368940118133793, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.305, 368940118186342, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.305, 368940118189438, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.305, 368940118222229, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.305, 368940118264960, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.305, 368940118277653, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.305, 368940118325954, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.305, 368940118363074, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.305, 368940118400103, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.305, 368940118501824, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"a9dd18dd-e480-0336-9fe9-759f4997682e","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed","DisplayName":"DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"78ff761a0db8d19544fabf028dd4c0006953fad0"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Transactions_Are_Properly_Managed"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0031738","StartTime":"2026-02-08T20:24:20.2996759+00:00","EndTime":"2026-02-08T20:24:20.3028443+00:00","Properties":[]},{"TestCase":{"Id":"eb4422f0-3bc1-ac53-2fe6-96a01ab57e29","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues","DisplayName":"DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a3c0863e945d4c2d6d47db7786e9f108ad6aa7f6"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Uuid_MultipleValues"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0035684","StartTime":"2026-02-08T20:24:20.298241+00:00","EndTime":"2026-02-08T20:24:20.3030254+00:00","Properties":[]},{"TestCase":{"Id":"7b7821b5-dd6e-ae2f-b80c-1b83b7a4bd3c","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"11f5ddc1145b9296ade878d1a6f63f242c101a5b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_BeginTransaction"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0028033","StartTime":"2026-02-08T20:24:20.3000288+00:00","EndTime":"2026-02-08T20:24:20.3032978+00:00","Properties":[]},{"TestCase":{"Id":"db75fdc0-ac83-8379-bc73-e4f541efc1f2","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8d7290881c5de01ee37018028f648aabc0bf4952"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Accepts_Path_As_ConnectionString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002392","StartTime":"2026-02-08T20:24:20.3031545+00:00","EndTime":"2026-02-08T20:24:20.3035855+00:00","Properties":[]},{"TestCase":{"Id":"713407d2-3ac4-09cf-4203-9a0cea21e323","FullyQualifiedName":"DecentDB.Tests.DmlTests.NullParameterHandling","DisplayName":"DecentDB.Tests.DmlTests.NullParameterHandling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e4a6167338cd7c4d804e54331caf26a1a3c32a98"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NullParameterHandling"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.NullParameterHandling","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020698","StartTime":"2026-02-08T20:24:20.3014737+00:00","EndTime":"2026-02-08T20:24:20.3038597+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":119,"Stats":{"Passed":119}},"ActiveTests":[{"Id":"907dda6a-e647-2941-e5ec-1c7e83248416","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2a4ababdcf277e317373392b514dd84ac72036cf"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateTimeParameterBinding"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"46599b34-7ba6-28e9-5ecb-dded6f1fa1c5","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip","DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a83fe71dcaf79df2d6d6ef5426e16e0b08eef8ce"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllTypes_InsertAndSelect_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"401fbab7-ff6e-3387-b37b-59d305d2a809","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1353372ac8f8225aeca798dffde381bd1319a802"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_InsertManyAsync_MultipleEntities"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"a9dd1a29-a5b5-b823-728f-37a0475fc078","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9b03fb34496b2b781afc22624f59ccedde952d8a"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Event_Add_Remove_Works"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"81db0525-875a-0ef0-d7c7-204f2f2ecb6c","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithP0Parameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithP0Parameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"eb492bb1042290fb984a20d90a0969c9852a7bca"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithP0Parameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.306, 368940119836490, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.306, 368940119885653, vstest.console.dll, InProgress is DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.306, 368940119898607, vstest.console.dll, InProgress is DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.306, 368940119911050, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.306, 368940119922211, vstest.console.dll, InProgress is DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.306, 368940119934544, vstest.console.dll, InProgress is DecentDB.Tests.DmlTests.SelectWithP0Parameters
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.306, 368940119957117, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.306, 368940119969781, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.306, 368940119984789, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.306, 368940119988947, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.306, 368940120000128, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.306, 368940120051494, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.306, 368940120066202, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.306, 368940120115434, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.307, 368940120151943, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.307, 368940120182139, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.307, 368940120300411, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"b2b8985b-0a8b-e888-8e86-d6626f184ede","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetFieldType","DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldType","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f7738d2a43618f84cc0790b093496da5de540653"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetFieldType"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldType","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0025024","StartTime":"2026-02-08T20:24:20.301217+00:00","EndTime":"2026-02-08T20:24:20.3045625+00:00","Properties":[]},{"TestCase":{"Id":"8ba36eed-8093-08b9-2c23-e984e7f6bfe7","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b678de00515aa4943c54802754e7c31677fdfaa5"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecimalBindingAndRetrieval"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026933","StartTime":"2026-02-08T20:24:20.3019669+00:00","EndTime":"2026-02-08T20:24:20.3047615+00:00","Properties":[]},{"TestCase":{"Id":"d4d60062-34b2-c3cf-e1c1-ea9c74e02aa4","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b9144cf4114414eb90c7aef890ed271e94387e4d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindFloatWithExtremeValues"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0033436","StartTime":"2026-02-08T20:24:20.3016958+00:00","EndTime":"2026-02-08T20:24:20.3050304+00:00","Properties":[]},{"TestCase":{"Id":"907dda6a-e647-2941-e5ec-1c7e83248416","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2a4ababdcf277e317373392b514dd84ac72036cf"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateTimeParameterBinding"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024132","StartTime":"2026-02-08T20:24:20.3027659+00:00","EndTime":"2026-02-08T20:24:20.3053818+00:00","Properties":[]},{"TestCase":{"Id":"81db0525-875a-0ef0-d7c7-204f2f2ecb6c","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithP0Parameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithP0Parameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"eb492bb1042290fb984a20d90a0969c9852a7bca"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithP0Parameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.SelectWithP0Parameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019284","StartTime":"2026-02-08T20:24:20.3045113+00:00","EndTime":"2026-02-08T20:24:20.3056267+00:00","Properties":[]},{"TestCase":{"Id":"46599b34-7ba6-28e9-5ecb-dded6f1fa1c5","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip","DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a83fe71dcaf79df2d6d6ef5426e16e0b08eef8ce"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllTypes_InsertAndSelect_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024072","StartTime":"2026-02-08T20:24:20.3032223+00:00","EndTime":"2026-02-08T20:24:20.3057919+00:00","Properties":[]},{"TestCase":{"Id":"a8605fab-1f7d-f3ae-1790-854dbbdbaea8","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.BlobBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.BlobBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ccd583a6e2b20caf7b92e92a3a0c831f90999da1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"BlobBindingAndRetrieval"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.BlobBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015197","StartTime":"2026-02-08T20:24:20.3049463+00:00","EndTime":"2026-02-08T20:24:20.3059449+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":126,"Stats":{"Passed":126}},"ActiveTests":[{"Id":"f6e137b8-9752-db8d-a589-7f44614a5a40","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cb2671a9a2dce4d04ad54a713b9408d7e9f44e61"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnName_WithSpecialCharacters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"6a3f19ab-c66f-f9b4-240b-b71e280f4be0","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"52c81fa78e9f82b85286e7439ebd1a12f2b7299c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateOnlyTimeOnlyParameterBinding"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"2fe3c492-9ebe-dcc2-e97c-9738b63b1a85","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.RowsAffected","DisplayName":"DecentDB.Tests.NativeLayerTests.RowsAffected","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fb22910fdba1e3749a1ebfe9fd9cc5b41151ce48"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowsAffected"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.308, 368940121645017, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.308, 368940121676045, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.308, 368940121694610, vstest.console.dll, InProgress is DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.308, 368940121711141, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.RowsAffected
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.308, 368940121741959, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.308, 368940121760223, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.308, 368940121768569, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.308, 368940121786623, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.308, 368940121824945, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.308, 368940121841175, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.308, 368940121845694, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.308, 368940121886460, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.308, 368940121921937, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.308, 368940121952003, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.308, 368940121980677, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.308, 368940122009441, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.308, 368940122056159, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"e32432ad-c183-d674-9c3d-e182d698fdfd","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters","DisplayName":"DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"17c906d994f909075c90a7527776dc4ce37219aa"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"QueryAsync_WithParameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0443235","StartTime":"2026-02-08T20:24:20.2152728+00:00","EndTime":"2026-02-08T20:24:20.3066908+00:00","Properties":[]},{"TestCase":{"Id":"f6e137b8-9752-db8d-a589-7f44614a5a40","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cb2671a9a2dce4d04ad54a713b9408d7e9f44e61"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnName_WithSpecialCharacters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014674","StartTime":"2026-02-08T20:24:20.3052956+00:00","EndTime":"2026-02-08T20:24:20.3070401+00:00","Properties":[]},{"TestCase":{"Id":"2fe3c492-9ebe-dcc2-e97c-9738b63b1a85","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.RowsAffected","DisplayName":"DecentDB.Tests.NativeLayerTests.RowsAffected","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fb22910fdba1e3749a1ebfe9fd9cc5b41151ce48"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowsAffected"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.RowsAffected","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009407","StartTime":"2026-02-08T20:24:20.3066252+00:00","EndTime":"2026-02-08T20:24:20.3073048+00:00","Properties":[]},{"TestCase":{"Id":"6a3f19ab-c66f-f9b4-240b-b71e280f4be0","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"52c81fa78e9f82b85286e7439ebd1a12f2b7299c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateOnlyTimeOnlyParameterBinding"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014381","StartTime":"2026-02-08T20:24:20.3055621+00:00","EndTime":"2026-02-08T20:24:20.3074646+00:00","Properties":[]},{"TestCase":{"Id":"f5de1e7c-d905-7470-ac7a-3dc142f1fdb4","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.TimeSpanParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.TimeSpanParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6bcf4c0d7873bd1108ba5181a48054b21194983b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TimeSpanParameterBinding"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.TimeSpanParameterBinding","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009447","StartTime":"2026-02-08T20:24:20.3076306+00:00","EndTime":"2026-02-08T20:24:20.307694+00:00","Properties":[]},{"TestCase":{"Id":"875da2b0-fd6d-f566-4d2d-5c2e980a8605","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"091495c9323ecf6ef651bb1f55339e602c304684"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_IsNotNull"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0493168","StartTime":"2026-02-08T20:24:20.2152289+00:00","EndTime":"2026-02-08T20:24:20.3079138+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":132,"Stats":{"Passed":132}},"ActiveTests":[{"Id":"7cf9d182-3067-f12d-cfc8-47b0a9d6ee67","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1823080ee64a9f9ab8365ca27cb34a7bbd522cc1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"0479c616-90fe-ea12-92bc-63085a4d8634","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"debc24533fa21796e777d3d8b3da5d82dac4dd5e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_WithVariousScales"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"039e2023-bfc1-8e9a-3a60-3e0da5d5a710","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases","DisplayName":"DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"97472a9e4c8a43fc028bad93005b5cc88ac73217"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ParameterBinding_EdgeCases"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"f3ede0dd-abe3-d7d3-2b78-8b6fe4749b8e","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"10a75118e91a030010b7145844e3604611096f03"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamAsync_WithFilter"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.310, 368940123209264, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.310, 368940123242958, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.310, 368940123255702, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.310, 368940123267955, vstest.console.dll, InProgress is DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.310, 368940123279166, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.310, 368940123305205, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.310, 368940123319051, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.310, 368940123329129, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.310, 368940123333057, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.310, 368940123380105, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.310, 368940123388771, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.310, 368940123421182, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.310, 368940123455206, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.310, 368940123480263, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.310, 368940123505180, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.310, 368940123530387, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.310, 368940123781449, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"0479c616-90fe-ea12-92bc-63085a4d8634","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"debc24533fa21796e777d3d8b3da5d82dac4dd5e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_WithVariousScales"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017119","StartTime":"2026-02-08T20:24:20.3072391+00:00","EndTime":"2026-02-08T20:24:20.3086319+00:00","Properties":[]},{"TestCase":{"Id":"a9dd1a29-a5b5-b823-728f-37a0475fc078","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9b03fb34496b2b781afc22624f59ccedde952d8a"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Event_Add_Remove_Works"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0048556","StartTime":"2026-02-08T20:24:20.3037919+00:00","EndTime":"2026-02-08T20:24:20.3089937+00:00","Properties":[]},{"TestCase":{"Id":"a4a52f5e-0a3d-ab63-0baa-640951fa4a20","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"164a380f8320f3a6f2331fa3934e76c7095ccd88"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Tables_ReturnsCreatedTables"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0283514","StartTime":"2026-02-08T20:24:20.2681526+00:00","EndTime":"2026-02-08T20:24:20.3092543+00:00","Properties":[]},{"TestCase":{"Id":"039e2023-bfc1-8e9a-3a60-3e0da5d5a710","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases","DisplayName":"DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"97472a9e4c8a43fc028bad93005b5cc88ac73217"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ParameterBinding_EdgeCases"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017055","StartTime":"2026-02-08T20:24:20.3078448+00:00","EndTime":"2026-02-08T20:24:20.309488+00:00","Properties":[]},{"TestCase":{"Id":"7cf9d182-3067-f12d-cfc8-47b0a9d6ee67","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1823080ee64a9f9ab8365ca27cb34a7bbd522cc1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0038269","StartTime":"2026-02-08T20:24:20.3069447+00:00","EndTime":"2026-02-08T20:24:20.3097165+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":137,"Stats":{"Passed":137}},"ActiveTests":[{"Id":"dc61fe33-975c-aadf-e114-a5e9c141c60e","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ec1127dfae6cbdfecfa2f6b93aa7ce2b31e6a173"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_WithLargeByteArray"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"9d6aeb73-d6d0-6a6d-bfaa-0e90ce00d648","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled","DisplayName":"DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a9131827dd223f4d7dcaf0a4a5e19f194f07f351"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Events_Are_Properly_Handled"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"4744bce0-4039-66f4-17bb-4a361a846590","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1d6b4f6b417a1b30c741c81aa1e38207a4981fd7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Columns_IncludesPkAndNullability"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"de5b7ca7-5444-2b2c-e282-2fe3d2131f27","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.NestedTransactions","DisplayName":"DecentDB.Tests.EdgeCaseTests.NestedTransactions","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"acbb7c3582ac5be85f2172d89f45c4481bc3df6b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NestedTransactions"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"5a45cd95-0648-736c-77d9-df763f0bcdfa","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23e5528d8df361c20b98ae6fefe281b5482b4c29"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_AutoIncrement_SetsId"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.312, 368940125256299, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.312, 368940125290693, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.312, 368940125318145, vstest.console.dll, InProgress is DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.312, 368940125333624, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.312, 368940125348712, vstest.console.dll, InProgress is DecentDB.Tests.EdgeCaseTests.NestedTransactions
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.312, 368940125362358, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.312, 368940125387014, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.312, 368940125404066, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.312, 368940125413865, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.312, 368940125420387, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.312, 368940125460683, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.312, 368940125480620, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 2 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.312, 368940125507020, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.312, 368940125529201, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.312, 368940125568345, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.312, 368940125600595, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.312, 368940125747461, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"d3b707b3-ab55-8df5-f0f7-a410f6e552e4","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"047c00cd0360ad36f2f68d631d2baf62d9c2fa14"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_Predicate"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0095132","StartTime":"2026-02-08T20:24:20.3007752+00:00","EndTime":"2026-02-08T20:24:20.3105132+00:00","Properties":[]},{"TestCase":{"Id":"de5b7ca7-5444-2b2c-e282-2fe3d2131f27","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.NestedTransactions","DisplayName":"DecentDB.Tests.EdgeCaseTests.NestedTransactions","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"acbb7c3582ac5be85f2172d89f45c4481bc3df6b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NestedTransactions"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.NestedTransactions","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006221","StartTime":"2026-02-08T20:24:20.3096534+00:00","EndTime":"2026-02-08T20:24:20.3107745+00:00","Properties":[]},{"TestCase":{"Id":"401fbab7-ff6e-3387-b37b-59d305d2a809","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1353372ac8f8225aeca798dffde381bd1319a802"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_InsertManyAsync_MultipleEntities"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0073742","StartTime":"2026-02-08T20:24:20.3035054+00:00","EndTime":"2026-02-08T20:24:20.3110079+00:00","Properties":[]},{"TestCase":{"Id":"d2eff22e-e22a-ec1f-f9be-2c3d8e656009","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"06bdf042287e5391189fc351dd95d7986afca796"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Skip_With_Negative_Value_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013115","StartTime":"2026-02-08T20:24:20.3107104+00:00","EndTime":"2026-02-08T20:24:20.3112468+00:00","Properties":[]},{"TestCase":{"Id":"9d6aeb73-d6d0-6a6d-bfaa-0e90ce00d648","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled","DisplayName":"DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a9131827dd223f4d7dcaf0a4a5e19f194f07f351"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Events_Are_Properly_Handled"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0034606","StartTime":"2026-02-08T20:24:20.3091773+00:00","EndTime":"2026-02-08T20:24:20.3114664+00:00","Properties":[]},{"TestCase":{"Id":"f3ede0dd-abe3-d7d3-2b78-8b6fe4749b8e","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"10a75118e91a030010b7145844e3604611096f03"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamAsync_WithFilter"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0043461","StartTime":"2026-02-08T20:24:20.3085841+00:00","EndTime":"2026-02-08T20:24:20.3117005+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":143,"Stats":{"Passed":143}},"ActiveTests":[{"Id":"37beb522-3ac2-da47-aae4-68c4658ac8a5","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency","DisplayName":"DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b8c930d93327cc3ae468c8cfca5b8b7a7af53640"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AsyncOperationsConcurrency"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"738dec07-b778-de10-da40-ac0f07911d83","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1ef14465cddad0507635583f199ce85847efddab"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Take_Skip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"7f94d702-502a-dc0e-b9be-2eb64eb06ef9","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1848fc4d05de6ae27395ea35791ab847aecd172d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAsync_With_Null_NonNullable_Property_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"48bcca6e-c511-99c7-ed73-392ebd03d3dd","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed","DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bf54196a6e1b05f7e372e2599935645ae88a956f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Connection_Is_Properly_Managed"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.314, 368940127141228, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.314, 368940127180322, vstest.console.dll, InProgress is DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.314, 368940127193987, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.314, 368940127206721, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.314, 368940127219285, vstest.console.dll, InProgress is DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.314, 368940127242428, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.314, 368940127255753, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.314, 368940127276001, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.314, 368940127277204, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.314, 368940127327839, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.314, 368940127333620, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.314, 368940127362985, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.314, 368940127368415, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.314, 368940127405775, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.314, 368940127427035, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.314, 368940127443336, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.316, 368940129698179, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"9cf8d764-ca66-213e-99f5-bf6746d5973e","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip","DisplayName":"DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f1d29da09ea24e76a59afab4005376dbbcde9b1d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0197007","StartTime":"2026-02-08T20:24:20.2857984+00:00","EndTime":"2026-02-08T20:24:20.3124885+00:00","Properties":[]},{"TestCase":{"Id":"37beb522-3ac2-da47-aae4-68c4658ac8a5","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency","DisplayName":"DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b8c930d93327cc3ae468c8cfca5b8b7a7af53640"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AsyncOperationsConcurrency"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026459","StartTime":"2026-02-08T20:24:20.310942+00:00","EndTime":"2026-02-08T20:24:20.3126846+00:00","Properties":[]},{"TestCase":{"Id":"5a45cd95-0648-736c-77d9-df763f0bcdfa","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23e5528d8df361c20b98ae6fefe281b5482b4c29"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_AutoIncrement_SetsId"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0037727","StartTime":"2026-02-08T20:24:20.310445+00:00","EndTime":"2026-02-08T20:24:20.3129314+00:00","Properties":[]},{"TestCase":{"Id":"738dec07-b778-de10-da40-ac0f07911d83","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1ef14465cddad0507635583f199ce85847efddab"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Take_Skip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0029258","StartTime":"2026-02-08T20:24:20.3111827+00:00","EndTime":"2026-02-08T20:24:20.3131361+00:00","Properties":[]},{"TestCase":{"Id":"48bcca6e-c511-99c7-ed73-392ebd03d3dd","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed","DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bf54196a6e1b05f7e372e2599935645ae88a956f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Connection_Is_Properly_Managed"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0021018","StartTime":"2026-02-08T20:24:20.3116368+00:00","EndTime":"2026-02-08T20:24:20.3134381+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":148,"Stats":{"Passed":148}},"ActiveTests":[{"Id":"4fb84e52-6189-99f8-e98e-3c564509ff01","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"17aab9a45cc340d6ec659bd93abd62df5efb8b60"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_ComplexPredicate"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"12272b2f-2f37-b2b3-cb68-d6ed115b604b","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests","DisplayName":"DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"edcfef0b3c8e85a02b7aa8886342dc4f72c395bf"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecimalPrecisionTests"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"10e5bc79-5d68-4750-e50b-724e5259bb6d","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow","DisplayName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4697b20a0051a06d0bf83fb3fe3f0c5f0186aef1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpsertAsync_UpdatesExistingRow"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"5f97a30f-92d9-6689-8367-b35a8a5c88cf","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3083caae6c4810620796ba01162c943b95ac9608"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_DeleteByIdAsync_Entity"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"f24110ad-57e2-7309-e301-615c5f5afb37","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e668e8671d814ba11969a4b75c86847248a99686"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Throws_ArgumentException_For_Empty_ConnectionString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.317, 368940130965108, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.317, 368940131002839, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.317, 368940131019741, vstest.console.dll, InProgress is DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.317, 368940131031443, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.317, 368940131043736, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.317, 368940131054456, vstest.console.dll, InProgress is DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.317, 368940131078131, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.317, 368940131092608, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.317, 368940131113748, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.317, 368940131122013, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.318, 368940131130930, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 3 ms
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.318, 368940131182487, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.318, 368940131320446, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.318, 368940131355512, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.318, 368940131375649, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.318, 368940131391599, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.318, 368940131536532, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"4744bce0-4039-66f4-17bb-4a361a846590","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1d6b4f6b417a1b30c741c81aa1e38207a4981fd7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Columns_IncludesPkAndNullability"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0058162","StartTime":"2026-02-08T20:24:20.3094226+00:00","EndTime":"2026-02-08T20:24:20.314354+00:00","Properties":[]},{"TestCase":{"Id":"f24110ad-57e2-7309-e301-615c5f5afb37","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e668e8671d814ba11969a4b75c86847248a99686"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Throws_ArgumentException_For_Empty_ConnectionString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005649","StartTime":"2026-02-08T20:24:20.314113+00:00","EndTime":"2026-02-08T20:24:20.3147644+00:00","Properties":[]},{"TestCase":{"Id":"12272b2f-2f37-b2b3-cb68-d6ed115b604b","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests","DisplayName":"DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"edcfef0b3c8e85a02b7aa8886342dc4f72c395bf"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecimalPrecisionTests"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015945","StartTime":"2026-02-08T20:24:20.3128512+00:00","EndTime":"2026-02-08T20:24:20.3148431+00:00","Properties":[]},{"TestCase":{"Id":"dc61fe33-975c-aadf-e114-a5e9c141c60e","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ec1127dfae6cbdfecfa2f6b93aa7ce2b31e6a173"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_WithLargeByteArray"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0067453","StartTime":"2026-02-08T20:24:20.3089272+00:00","EndTime":"2026-02-08T20:24:20.3152193+00:00","Properties":[]},{"TestCase":{"Id":"4fb84e52-6189-99f8-e98e-3c564509ff01","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"17aab9a45cc340d6ec659bd93abd62df5efb8b60"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_ComplexPredicate"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026195","StartTime":"2026-02-08T20:24:20.3124072+00:00","EndTime":"2026-02-08T20:24:20.3154897+00:00","Properties":[]},{"TestCase":{"Id":"e92b3608-efeb-3f79-7e14-a46d390fcc5e","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases","DisplayName":"DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f0184ca1b42a8b87581935cf2a78f1d65bd1704f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringParsing_EdgeCases"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004703","StartTime":"2026-02-08T20:24:20.3151276+00:00","EndTime":"2026-02-08T20:24:20.3155701+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":154,"Stats":{"Passed":154}},"ActiveTests":[{"Id":"27637d5b-3f9b-eb01-8e2d-138ab87f7a6c","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23253c1882cf2b7391c8fabe318f313ab08040f8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Columns_FilteredByTable"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"8d040988-69fd-fbf9-02e9-5d6bb60aebb1","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions","DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fa2fbc743e4979bae80548d167a5620610336b5f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Connection_Scope_Management_With_Transactions"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"8e19b822-4526-7d8b-0706-ebafaf35445f","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ecc8b46b2f73b7dc2272a240acd1d36562af24e9"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindGuid_WithAllZeros"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"040cc1d2-1f41-e0dd-c931-3d2c6300f25b","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1a6d9efab0941610a331d689946f315be5928727"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstAsync_WithPredicate_NoMatch_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.319, 368940132793552, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.319, 368940132827486, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.319, 368940132841072, vstest.console.dll, InProgress is DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.319, 368940132853515, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.319, 368940132867060, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.319, 368940132892558, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.319, 368940132906384, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.319, 368940132907446, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.319, 368940132934477, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.319, 368940132944616, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.319, 368940132970895, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.319, 368940132977728, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.319, 368940133015018, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.319, 368940133019246, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.319, 368940133051597, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.319, 368940133072857, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.320, 368940133354927, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"27637d5b-3f9b-eb01-8e2d-138ab87f7a6c","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23253c1882cf2b7391c8fabe318f313ab08040f8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Columns_FilteredByTable"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009087","StartTime":"2026-02-08T20:24:20.3146776+00:00","EndTime":"2026-02-08T20:24:20.3164486+00:00","Properties":[]},{"TestCase":{"Id":"96e38127-a8f4-cfe1-9938-60fd257d4897","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2fb42e046d573ef32f3f2cf6c9f083266f22de45"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_BeginTransaction_WhenClosed_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005954","StartTime":"2026-02-08T20:24:20.3166668+00:00","EndTime":"2026-02-08T20:24:20.3167572+00:00","Properties":[]},{"TestCase":{"Id":"8e19b822-4526-7d8b-0706-ebafaf35445f","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ecc8b46b2f73b7dc2272a240acd1d36562af24e9"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindGuid_WithAllZeros"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014157","StartTime":"2026-02-08T20:24:20.3153967+00:00","EndTime":"2026-02-08T20:24:20.3169914+00:00","Properties":[]},{"TestCase":{"Id":"8d040988-69fd-fbf9-02e9-5d6bb60aebb1","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions","DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fa2fbc743e4979bae80548d167a5620610336b5f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Connection_Scope_Management_With_Transactions"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0022237","StartTime":"2026-02-08T20:24:20.3151091+00:00","EndTime":"2026-02-08T20:24:20.3172514+00:00","Properties":[]},{"TestCase":{"Id":"2b085e47-3583-3dc6-5bf6-30d0c503eff6","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteReader_WhenConnectionIsNull","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteReader_WhenConnectionIsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3d2e6203829190a0ddf39c9c9f4d7243be19e162"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteReader_WhenConnectionIsNull"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteReader_WhenConnectionIsNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007388","StartTime":"2026-02-08T20:24:20.3169367+00:00","EndTime":"2026-02-08T20:24:20.3173831+00:00","Properties":[]},{"TestCase":{"Id":"5f97a30f-92d9-6689-8367-b35a8a5c88cf","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3083caae6c4810620796ba01162c943b95ac9608"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_DeleteByIdAsync_Entity"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0035616","StartTime":"2026-02-08T20:24:20.3133765+00:00","EndTime":"2026-02-08T20:24:20.3176409+00:00","Properties":[]},{"TestCase":{"Id":"cbe68af8-32f5-8c31-e745-5b733714d2e1","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f0f3c2599a68e384bf79fbf1d3bac9f1cb6d0933"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindAndRetrieveUnicodeText"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014711","StartTime":"2026-02-08T20:24:20.3171709+00:00","EndTime":"2026-02-08T20:24:20.3179061+00:00","Properties":[]},{"TestCase":{"Id":"1a8e2e0f-168e-dee5-b29a-b1c051e2516f","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Dispose_MultipleTimes","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Dispose_MultipleTimes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3328af002391ff94734db248914c3dcc5f599543"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Dispose_MultipleTimes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Dispose_MultipleTimes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008583","StartTime":"2026-02-08T20:24:20.3178394+00:00","EndTime":"2026-02-08T20:24:20.3181146+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":162,"Stats":{"Passed":162}},"ActiveTests":[{"Id":"c6c45f11-d867-54d7-e187-f658e3889cd9","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"41dfa532d910d19666a568e7dfbab3602b750468"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Open_Close_Sequence"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"eac6ed5f-a764-b594-7156-ec0b3edbb115","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"33a283c05b25d1d481efa6bb6ad7daa9d402f033"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_BeginTransaction_WithIsolationLevel"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.321, 368940134779582, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.321, 368940134811542, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.321, 368940134825889, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.321, 368940134855094, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.321, 368940134866766, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.321, 368940134868870, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.321, 368940134891552, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.321, 368940134919475, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.321, 368940134922541, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.321, 368940134956534, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.321, 368940134961163, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.321, 368940134988494, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.321, 368940135005336, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.321, 368940135020144, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.321, 368940135035873, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.322, 368940136027816, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.323, 368940136286612, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"c6c45f11-d867-54d7-e187-f658e3889cd9","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"41dfa532d910d19666a568e7dfbab3602b750468"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Open_Close_Sequence"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013775","StartTime":"2026-02-08T20:24:20.3175719+00:00","EndTime":"2026-02-08T20:24:20.319264+00:00","Properties":[]},{"TestCase":{"Id":"040cc1d2-1f41-e0dd-c931-3d2c6300f25b","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1a6d9efab0941610a331d689946f315be5928727"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstAsync_WithPredicate_NoMatch_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0031792","StartTime":"2026-02-08T20:24:20.3163801+00:00","EndTime":"2026-02-08T20:24:20.3195503+00:00","Properties":[]},{"TestCase":{"Id":"eac6ed5f-a764-b594-7156-ec0b3edbb115","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"33a283c05b25d1d481efa6bb6ad7daa9d402f033"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_BeginTransaction_WithIsolationLevel"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012066","StartTime":"2026-02-08T20:24:20.3191849+00:00","EndTime":"2026-02-08T20:24:20.3198764+00:00","Properties":[]},{"TestCase":{"Id":"48022f34-71cc-b452-3e3b-31b88496c272","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"43947f059fb1e4813b3511cf17a7ee502567bb3c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_MetaDataCollections"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015064","StartTime":"2026-02-08T20:24:20.3195063+00:00","EndTime":"2026-02-08T20:24:20.3201772+00:00","Properties":[]},{"TestCase":{"Id":"f8cbb562-b631-8700-75d1-5f3297538f1a","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandText_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandText_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"48e21a8d830f16cebd45399b04a95301261b766e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_CommandText_SetterGetter"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandText_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003094","StartTime":"2026-02-08T20:24:20.3203538+00:00","EndTime":"2026-02-08T20:24:20.3204459+00:00","Properties":[]},{"TestCase":{"Id":"449231c9-aa69-f875-f6c5-33965374605d","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPooling","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPooling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"357e3b7fc0e9f68eef7de0a09562349885254ca1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Constructor_WithPooling"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPooling","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008763","StartTime":"2026-02-08T20:24:20.3201094+00:00","EndTime":"2026-02-08T20:24:20.3220839+00:00","Properties":[]},{"TestCase":{"Id":"10e5bc79-5d68-4750-e50b-724e5259bb6d","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow","DisplayName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4697b20a0051a06d0bf83fb3fe3f0c5f0186aef1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpsertAsync_UpdatesExistingRow"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0070626","StartTime":"2026-02-08T20:24:20.313286+00:00","EndTime":"2026-02-08T20:24:20.3222949+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":169,"Stats":{"Passed":169}},"ActiveTests":[{"Id":"7fa7d1d0-5091-1621-48d7-43952673159d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"248b8a74850893e4c754c92d462eda34cab9531e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAsync_NonExistentEntity_DoesNotThrow"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"0ca8ff7c-1ed4-8225-9513-62da9550f32c","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5b5364e73a53369832fd3e0aa2a3e50b39e8b9dc"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Columns_AllTables"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"d9f7d34c-3d72-a948-d612-843585768016","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"39311202976a94e2ec3f1bfa68518e744bca0ed3"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_ToList_ToArray"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.324, 368940137559432, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.324, 368940137594658, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.324, 368940137609116, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.324, 368940137620958, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.324, 368940137649441, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.324, 368940137666483, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.324, 368940137668407, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.324, 368940137683926, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.324, 368940137713021, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.324, 368940137738398, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 2 ms
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.324, 368940137771741, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.324, 368940137775889, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.324, 368940137805925, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.324, 368940137823338, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.324, 368940137838486, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.324, 368940137854456, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.324, 368940137984320, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"0ca8ff7c-1ed4-8225-9513-62da9550f32c","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5b5364e73a53369832fd3e0aa2a3e50b39e8b9dc"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Columns_AllTables"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009915","StartTime":"2026-02-08T20:24:20.3220179+00:00","EndTime":"2026-02-08T20:24:20.3231002+00:00","Properties":[]},{"TestCase":{"Id":"7f94d702-502a-dc0e-b9be-2eb64eb06ef9","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1848fc4d05de6ae27395ea35791ab847aecd172d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAsync_With_Null_NonNullable_Property_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0097819","StartTime":"2026-02-08T20:24:20.311403+00:00","EndTime":"2026-02-08T20:24:20.3233662+00:00","Properties":[]},{"TestCase":{"Id":"13084293-ca92-f864-ea8c-7b9cb3f67d7e","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder","DisplayName":"DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2199a4e589b4a7eeb2e74f21bd026a28e61b6ae4"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamAsync_YieldsRowsInOrder"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0628203","StartTime":"2026-02-08T20:24:20.213747+00:00","EndTime":"2026-02-08T20:24:20.3236018+00:00","Properties":[]},{"TestCase":{"Id":"7fa7d1d0-5091-1621-48d7-43952673159d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"248b8a74850893e4c754c92d462eda34cab9531e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAsync_NonExistentEntity_DoesNotThrow"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0031679","StartTime":"2026-02-08T20:24:20.3197766+00:00","EndTime":"2026-02-08T20:24:20.3238271+00:00","Properties":[]},{"TestCase":{"Id":"749a21fd-fb62-ab60-41c5-15b0461be619","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"637f7b2313bad6b3fc4b9cf65ddd1b98b8a13f73"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Checkpoint_WhenOpen"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004958","StartTime":"2026-02-08T20:24:20.3232858+00:00","EndTime":"2026-02-08T20:24:20.3240457+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":174,"Stats":{"Passed":174}},"ActiveTests":[{"Id":"63992858-5261-6c0e-560c-34c29fb0bc7d","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows","DisplayName":"DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"505a37bce26e80a82531e65667dc6b2968596273"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExecuteScalarAsync_CountRows"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"e86a5a7e-be26-d71e-ca66-dc9fa971344e","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"22f60a33cb3725e3bb30e5fd0f8bc05f8ab10b7c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Take_With_Negative_Value_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"a7d98029-9fc1-0054-328f-9ef5f8172fa9","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations","DisplayName":"DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"29e997b6e6753e8fd3bd7e724e9a800ec0e94250"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AnySingleAndBulkOperations"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"7cb768f7-4eb9-6319-2925-8b893342f480","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"257b5bdd1beb49ef473dd1b9733a6673094d2e73"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_Contains"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"dc17ea78-8f1d-e069-bafd-eeddbc603218","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"64876638e985f8dca568ac831531a898f7d824e4"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ConstructorWithConnectionAndCommandText"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.326, 368940139135702, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.326, 368940139163584, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.326, 368940139176388, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.326, 368940139195985, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.326, 368940139208388, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.326, 368940139219449, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.326, 368940139240108, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.326, 368940139251690, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.326, 368940139253964, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.326, 368940139279271, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.326, 368940139305901, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.326, 368940139322573, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.326, 368940139348471, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.326, 368940139350475, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.326, 368940139384689, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.326, 368940139714539, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.326, 368940139911068, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"dc17ea78-8f1d-e069-bafd-eeddbc603218","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"64876638e985f8dca568ac831531a898f7d824e4"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ConstructorWithConnectionAndCommandText"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003807","StartTime":"2026-02-08T20:24:20.3246831+00:00","EndTime":"2026-02-08T20:24:20.3247858+00:00","Properties":[]},{"TestCase":{"Id":"e86a5a7e-be26-d71e-ca66-dc9fa971344e","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"22f60a33cb3725e3bb30e5fd0f8bc05f8ab10b7c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Take_With_Negative_Value_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007984","StartTime":"2026-02-08T20:24:20.3235501+00:00","EndTime":"2026-02-08T20:24:20.3250042+00:00","Properties":[]},{"TestCase":{"Id":"9c5dad59-6432-d2b9-a886-ded817aa03ea","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Cancel_WhenNotExecuting","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Cancel_WhenNotExecuting","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"67e7d044cc9d9d668b8fdf77c58efe215fedbb06"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_Cancel_WhenNotExecuting"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Cancel_WhenNotExecuting","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002275","StartTime":"2026-02-08T20:24:20.3251511+00:00","EndTime":"2026-02-08T20:24:20.3252978+00:00","Properties":[]},{"TestCase":{"Id":"d9f7d34c-3d72-a948-d612-843585768016","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"39311202976a94e2ec3f1bfa68518e744bca0ed3"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_ToList_ToArray"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020669","StartTime":"2026-02-08T20:24:20.3222421+00:00","EndTime":"2026-02-08T20:24:20.3255161+00:00","Properties":[]},{"TestCase":{"Id":"71501ace-cfc7-08a7-98d3-367f93b37453","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithDifferentDataSourceKeys","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithDifferentDataSourceKeys","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"71e1921b99e638cbdb5624cb7409b4339ddd2eda"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ParseConnectionString_WithDifferentDataSourceKeys"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithDifferentDataSourceKeys","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002273","StartTime":"2026-02-08T20:24:20.3254528+00:00","EndTime":"2026-02-08T20:24:20.3257385+00:00","Properties":[]},{"TestCase":{"Id":"63992858-5261-6c0e-560c-34c29fb0bc7d","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows","DisplayName":"DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"505a37bce26e80a82531e65667dc6b2968596273"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExecuteScalarAsync_CountRows"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0028818","StartTime":"2026-02-08T20:24:20.3230236+00:00","EndTime":"2026-02-08T20:24:20.3259665+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":180,"Stats":{"Passed":180}},"ActiveTests":[{"Id":"0205796d-c5e4-62ca-502c-04c0a1ca433f","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2e11eaa8bcfc28a720c71abeb8f3c3b4020a0cb7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_No_Matches"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"353423a5-289b-b55c-1903-053350e84aee","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3caa4f6a1b92959dec412862dcbbb40394689f5b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Count_LongCount"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"127b4121-0a93-5def-4433-b5a9b7d557f6","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"79552ed3312888e74ecc4afd6fba42b01ce484d7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameter_Properties"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"871378ad-ad80-45f4-ffae-4b44e13b53bf","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"517bc39142d51fe3765f9cad64b5224839983b3b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertOrIgnoreAsync_InsertsNewRow"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.327, 368940141047241, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.327, 368940141088519, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.327, 368940141108346, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.327, 368940141121220, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.328, 368940141132371, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.328, 368940141154773, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.328, 368940141168679, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.328, 368940141176033, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.328, 368940141182926, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.328, 368940141214626, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.328, 368940141241947, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.328, 368940141242769, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.328, 368940141283084, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.328, 368940141302361, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.328, 368940141326786, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.328, 368940141379596, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.328, 368940141547441, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"0205796d-c5e4-62ca-502c-04c0a1ca433f","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2e11eaa8bcfc28a720c71abeb8f3c3b4020a0cb7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_No_Matches"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024763","StartTime":"2026-02-08T20:24:20.3252361+00:00","EndTime":"2026-02-08T20:24:20.3267064+00:00","Properties":[]},{"TestCase":{"Id":"76f5d7ad-3f72-3483-57fe-4356c31211fe","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperAsync","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1f20a463a21014e1a1ae4626361cf8cff8136c20"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperAsync"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperAsync","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0279071","StartTime":"2026-02-08T20:24:20.295607+00:00","EndTime":"2026-02-08T20:24:20.3269661+00:00","Properties":[]},{"TestCase":{"Id":"353423a5-289b-b55c-1903-053350e84aee","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3caa4f6a1b92959dec412862dcbbb40394689f5b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Count_LongCount"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026865","StartTime":"2026-02-08T20:24:20.3256877+00:00","EndTime":"2026-02-08T20:24:20.3271864+00:00","Properties":[]},{"TestCase":{"Id":"127b4121-0a93-5def-4433-b5a9b7d557f6","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"79552ed3312888e74ecc4afd6fba42b01ce484d7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameter_Properties"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0033298","StartTime":"2026-02-08T20:24:20.3258922+00:00","EndTime":"2026-02-08T20:24:20.3274256+00:00","Properties":[]},{"TestCase":{"Id":"7cb768f7-4eb9-6319-2925-8b893342f480","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"257b5bdd1beb49ef473dd1b9733a6673094d2e73"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_Contains"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0047533","StartTime":"2026-02-08T20:24:20.3239943+00:00","EndTime":"2026-02-08T20:24:20.3276535+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":185,"Stats":{"Passed":185}},"ActiveTests":[{"Id":"b0adbbb1-1575-bb7c-d715-54a9d9d6a016","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3c30945ebdcf18e57144b8aae8b7639a5bc57bfd"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SingleAsync_With_No_Results_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"202b3fa6-879e-e3e1-a9e5-b102e4eb4ce3","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperExecute","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperExecute","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"380c5e06499d006fa1c74746311f9a967463b7e7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperExecute"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},{"Id":"255e77c9-cfe9-6167-4713-b3907ef89a8c","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Single","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Single","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"43a47396cfbdda53f18ffd3d70f81c74314528eb"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Single"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"c23e5121-9f0f-79aa-7a53-8d587445ce39","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"79d380cfc3057b7cf0af9e1f4c16ab5c0814b7f7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DefaultConstructor_CreatesInstance"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"6b396488-7d58-63f0-5e5e-02730d562b02","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"267811a7d648d0b625e510bf5a8cb280a47afaad"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_ChainedMultiple_ImpliesAnd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.329, 368940142688955, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.329, 368940142720334, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.329, 368940142733388, vstest.console.dll, InProgress is DecentDB.Tests.DapperIntegrationTests.TestDapperExecute
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.329, 368940142745100, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_Single
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.329, 368940142755970, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.329, 368940142768324, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.329, 368940142790656, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.329, 368940142804281, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.329, 368940142807307, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.329, 368940142845298, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.329, 368940142873732, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.329, 368940142875836, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.329, 368940142911382, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.329, 368940142916672, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.329, 368940142943803, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.329, 368940143059901, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.330, 368940143254296, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"871378ad-ad80-45f4-ffae-4b44e13b53bf","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"517bc39142d51fe3765f9cad64b5224839983b3b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertOrIgnoreAsync_InsertsNewRow"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0035051","StartTime":"2026-02-08T20:24:20.3266251+00:00","EndTime":"2026-02-08T20:24:20.3283629+00:00","Properties":[]},{"TestCase":{"Id":"255e77c9-cfe9-6167-4713-b3907ef89a8c","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Single","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Single","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"43a47396cfbdda53f18ffd3d70f81c74314528eb"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Single"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Single","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0022940","StartTime":"2026-02-08T20:24:20.3273507+00:00","EndTime":"2026-02-08T20:24:20.3286283+00:00","Properties":[]},{"TestCase":{"Id":"b0adbbb1-1575-bb7c-d715-54a9d9d6a016","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3c30945ebdcf18e57144b8aae8b7639a5bc57bfd"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SingleAsync_With_No_Results_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0028758","StartTime":"2026-02-08T20:24:20.3269007+00:00","EndTime":"2026-02-08T20:24:20.3287579+00:00","Properties":[]},{"TestCase":{"Id":"a7d98029-9fc1-0054-328f-9ef5f8172fa9","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations","DisplayName":"DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"29e997b6e6753e8fd3bd7e724e9a800ec0e94250"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AnySingleAndBulkOperations"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0064516","StartTime":"2026-02-08T20:24:20.3237878+00:00","EndTime":"2026-02-08T20:24:20.3290611+00:00","Properties":[]},{"TestCase":{"Id":"c23e5121-9f0f-79aa-7a53-8d587445ce39","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"79d380cfc3057b7cf0af9e1f4c16ab5c0814b7f7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DefaultConstructor_CreatesInstance"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024524","StartTime":"2026-02-08T20:24:20.3275903+00:00","EndTime":"2026-02-08T20:24:20.3293163+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":190,"Stats":{"Passed":190}},"ActiveTests":[{"Id":"fce272fd-1d0d-43a4-7745-79d67ec92fb7","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert","DisplayName":"DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"51b64663ed1ccbc469d75db4efa6da9d69bcd513"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExecuteNonQueryAsync_CreateAndInsert"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"96e53a34-83f6-258b-9197-27be0603ad87","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5100cd758a7f97970619f8c73dc030d5b3bd9920"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_StreamAsync"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"1d976069-fdac-995c-d17e-60542f3143dc","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"41f66c31133365c0102e4caf9575ae8c42a41787"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_With_Null_NonNullable_Property_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"2c74f57b-e388-3a92-cd24-dfc5c9cfa82a","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability","DisplayName":"DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3474f837d593665bd0856c011701b1297e606b4e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AttributesControlMappingAndNullability"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"de249baf-1c1b-075f-27fa-69f520c87de1","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"846353127128b1fe257eb07cb39d15e570f5264d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteScalar_WhenConnectionIsNull"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.331, 368940144392033, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.331, 368940144421659, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.331, 368940144434613, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.331, 368940144445924, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.331, 368940144458708, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.331, 368940144469709, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.331, 368940144495768, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.331, 368940144507440, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.331, 368940144509544, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.331, 368940144530834, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.331, 368940144543117, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.331, 368940144562062, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.331, 368940144574616, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.331, 368940144589323, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.331, 368940144612267, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.331, 368940144986459, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.332, 368940145175003, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"fce272fd-1d0d-43a4-7745-79d67ec92fb7","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert","DisplayName":"DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"51b64663ed1ccbc469d75db4efa6da9d69bcd513"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExecuteNonQueryAsync_CreateAndInsert"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012757","StartTime":"2026-02-08T20:24:20.3285527+00:00","EndTime":"2026-02-08T20:24:20.3300501+00:00","Properties":[]},{"TestCase":{"Id":"de249baf-1c1b-075f-27fa-69f520c87de1","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"846353127128b1fe257eb07cb39d15e570f5264d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteScalar_WhenConnectionIsNull"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002851","StartTime":"2026-02-08T20:24:20.3299728+00:00","EndTime":"2026-02-08T20:24:20.330315+00:00","Properties":[]},{"TestCase":{"Id":"6b396488-7d58-63f0-5e5e-02730d562b02","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"267811a7d648d0b625e510bf5a8cb280a47afaad"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_ChainedMultiple_ImpliesAnd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0027108","StartTime":"2026-02-08T20:24:20.3282953+00:00","EndTime":"2026-02-08T20:24:20.3305524+00:00","Properties":[]},{"TestCase":{"Id":"c3aa77a6-e3c5-b67f-2d9e-b076a8c5e48a","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithVariousOptions","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithVariousOptions","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8d2449e4a77be5eb59e4d64828dc05ef0be03591"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ParseConnectionString_WithVariousOptions"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithVariousOptions","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006185","StartTime":"2026-02-08T20:24:20.330488+00:00","EndTime":"2026-02-08T20:24:20.3307682+00:00","Properties":[]},{"TestCase":{"Id":"f8a70e9a-f5e8-0502-cc95-c15408de5a92","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Prepare_WhenConnectionClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Prepare_WhenConnectionClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8fe5a1e765e5cca73e946ac8f293adb3dd290826"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_Prepare_WhenConnectionClosed_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Prepare_WhenConnectionClosed_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004455","StartTime":"2026-02-08T20:24:20.330927+00:00","EndTime":"2026-02-08T20:24:20.3310009+00:00","Properties":[]},{"TestCase":{"Id":"1d976069-fdac-995c-d17e-60542f3143dc","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"41f66c31133365c0102e4caf9575ae8c42a41787"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_With_Null_NonNullable_Property_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023888","StartTime":"2026-02-08T20:24:20.3289976+00:00","EndTime":"2026-02-08T20:24:20.3312171+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":196,"Stats":{"Passed":196}},"ActiveTests":[{"Id":"2910b266-23bd-b55c-bde1-4cecadbbb096","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5ac5c1eecffde05c1d125a934ecb7af2096e3891"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_AutoIncrement_ReadBack"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"17bd2927-df11-f139-2cc0-9065a68b6fe1","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26e3ec7e09a9c7a32ddac1188d57ce29a8a61ead"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OrderBy_Skip_Take_Pagination"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"acdabade-63bd-d423-ce8e-c8a39761690f","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"90254d903d72a223bceab32878756d35290bd635"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_WhenClosed_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"dfc888a5-81a7-123d-d01e-f2b5f4f8d3a6","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6d264247fbe2a485db95fc085032c5ebd34a1859"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_Empty_Collection"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.333, 368940146311558, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.333, 368940146337727, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.333, 368940146350100, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.333, 368940146361963, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.333, 368940146373053, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.333, 368940146395526, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.333, 368940146406606, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.333, 368940146409191, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.333, 368940146433256, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.333, 368940146503338, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.333, 368940146509960, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.333, 368940146536941, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.333, 368940146543493, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.333, 368940146569873, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.333, 368940146586484, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.334, 368940147322376, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.334, 368940147536017, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"acdabade-63bd-d423-ce8e-c8a39761690f","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"90254d903d72a223bceab32878756d35290bd635"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_WhenClosed_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002700","StartTime":"2026-02-08T20:24:20.3311665+00:00","EndTime":"2026-02-08T20:24:20.3319902+00:00","Properties":[]},{"TestCase":{"Id":"96e53a34-83f6-258b-9197-27be0603ad87","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5100cd758a7f97970619f8c73dc030d5b3bd9920"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_StreamAsync"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026469","StartTime":"2026-02-08T20:24:20.328967+00:00","EndTime":"2026-02-08T20:24:20.3321729+00:00","Properties":[]},{"TestCase":{"Id":"92c22614-496a-e1ed-13a6-e6ddafe2b781","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Dispose_MultipleTimes","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Dispose_MultipleTimes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"99c0970c49e51a00523cb6c3d514366d369df92b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBTransaction_Dispose_MultipleTimes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Dispose_MultipleTimes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004975","StartTime":"2026-02-08T20:24:20.3325307+00:00","EndTime":"2026-02-08T20:24:20.3326289+00:00","Properties":[]},{"TestCase":{"Id":"50eda72f-28b0-47a5-2c1f-4ff84e335a5b","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandTimeout_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandTimeout_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a5b2aa7740427efd37a961579dff9c3e0f87f614"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_CommandTimeout_SetterGetter"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandTimeout_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003757","StartTime":"2026-02-08T20:24:20.3327836+00:00","EndTime":"2026-02-08T20:24:20.3328583+00:00","Properties":[]},{"TestCase":{"Id":"5162fc82-33f7-2854-4eba-6e2c7a21c29d","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ad7f74e6c5a9747b2f0615f56d3e0bfd2bfc4a5f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002495","StartTime":"2026-02-08T20:24:20.3330084+00:00","EndTime":"2026-02-08T20:24:20.3330715+00:00","Properties":[]},{"TestCase":{"Id":"2910b266-23bd-b55c-bde1-4cecadbbb096","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5ac5c1eecffde05c1d125a934ecb7af2096e3891"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_AutoIncrement_ReadBack"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0031679","StartTime":"2026-02-08T20:24:20.3302518+00:00","EndTime":"2026-02-08T20:24:20.3333036+00:00","Properties":[]},{"TestCase":{"Id":"dfc888a5-81a7-123d-d01e-f2b5f4f8d3a6","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6d264247fbe2a485db95fc085032c5ebd34a1859"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_Empty_Collection"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020798","StartTime":"2026-02-08T20:24:20.3319007+00:00","EndTime":"2026-02-08T20:24:20.3335837+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":203,"Stats":{"Passed":203}},"ActiveTests":[{"Id":"ad072b42-fb5f-353d-c214-af344ef37d71","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"511089058d2d18ea63e272238d8e72c49fdeb86b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_InTransaction"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"72452ed7-e382-d807-cbd0-41deec5d9cd8","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"adf4df43ad99566406b28a6f9e4be1c55286516b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteScalarAsync"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"8c42a703-55ba-0646-e89b-fdb8cc430975","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn","DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5c9d0321256d40098b1715d5a834ee79bd2518ad"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectAsync_ProjectsSingleColumn"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.335, 368940148792576, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.335, 368940148822252, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.335, 368940148835958, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.335, 368940148847329, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.335, 368940148876404, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.335, 368940148886212, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.335, 368940148891542, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.335, 368940148911389, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.335, 368940148924945, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.335, 368940148971192, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 2 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.335, 368940148951835, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.335, 368940149013331, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.335, 368940149029531, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.335, 368940149043848, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.335, 368940149059267, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.336, 368940149271235, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.336, 368940149463656, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"72452ed7-e382-d807-cbd0-41deec5d9cd8","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"adf4df43ad99566406b28a6f9e4be1c55286516b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteScalarAsync"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008596","StartTime":"2026-02-08T20:24:20.3332392+00:00","EndTime":"2026-02-08T20:24:20.3344105+00:00","Properties":[]},{"TestCase":{"Id":"ad072b42-fb5f-353d-c214-af344ef37d71","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"511089058d2d18ea63e272238d8e72c49fdeb86b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_InTransaction"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024594","StartTime":"2026-02-08T20:24:20.3325655+00:00","EndTime":"2026-02-08T20:24:20.3346684+00:00","Properties":[]},{"TestCase":{"Id":"17bd2927-df11-f139-2cc0-9065a68b6fe1","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26e3ec7e09a9c7a32ddac1188d57ce29a8a61ead"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OrderBy_Skip_Take_Pagination"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0037495","StartTime":"2026-02-08T20:24:20.3307173+00:00","EndTime":"2026-02-08T20:24:20.334819+00:00","Properties":[]},{"TestCase":{"Id":"2b8c0cce-0109-cf7b-69dc-f1558539e483","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_IsolationLevels","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_IsolationLevels","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ae0fd356371d513c6b5156cd1f56db26a7ef8690"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_BeginTransaction_IsolationLevels"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_IsolationLevels","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007265","StartTime":"2026-02-08T20:24:20.3345864+00:00","EndTime":"2026-02-08T20:24:20.3351353+00:00","Properties":[]},{"TestCase":{"Id":"5eec466a-3967-59f1-232a-f22b7d672435","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.ListTablesJson_ReturnsCreatedTable","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ListTablesJson_ReturnsCreatedTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"309742e38c212223ee69c1f5a431821ea195fac1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ListTablesJson_ReturnsCreatedTable"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ListTablesJson_ReturnsCreatedTable","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009428","StartTime":"2026-02-08T20:24:20.3350541+00:00","EndTime":"2026-02-08T20:24:20.3353816+00:00","Properties":[]},{"TestCase":{"Id":"2c74f57b-e388-3a92-cd24-dfc5c9cfa82a","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability","DisplayName":"DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3474f837d593665bd0856c011701b1297e606b4e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AttributesControlMappingAndNullability"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0059760","StartTime":"2026-02-08T20:24:20.3292282+00:00","EndTime":"2026-02-08T20:24:20.3355955+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":209,"Stats":{"Passed":209}},"ActiveTests":[{"Id":"9556e6c2-ec71-6662-fdc0-a381d277356e","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"94ff20cd3fbd233d96ba1a91e325d2a8f8df0f09"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_Single_Item"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"8d4b7e03-1719-df1f-668b-0856562e483d","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"51f6695aa765c18e4f4f22da021bebd989dba305"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Any_Exists"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"39692422-89f8-13a8-e1df-536c40f5aa09","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b63038428e4f991910fd6249e94d8caf942ac9aa"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameterCollection_UsageThroughCommand"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"c92a6d98-9528-dfc6-e998-4c21c5cabea2","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"34602bc3676259d4548bca32a88dcdd3aff982bc"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OrderByDescending_SortsByColumnDesc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.337, 368940150752587, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.337, 368940150786701, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.337, 368940150800056, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.337, 368940150811507, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.337, 368940150823961, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.337, 368940150846934, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.337, 368940150857674, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.337, 368940150860559, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.337, 368940150891147, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.337, 368940150896036, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.337, 368940150908459, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.337, 368940150929429, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.337, 368940150955097, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.337, 368940150969384, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.337, 368940150982879, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.338, 368940151355599, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.338, 368940151543242, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"39692422-89f8-13a8-e1df-536c40f5aa09","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b63038428e4f991910fd6249e94d8caf942ac9aa"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameterCollection_UsageThroughCommand"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012342","StartTime":"2026-02-08T20:24:20.3352949+00:00","EndTime":"2026-02-08T20:24:20.3363709+00:00","Properties":[]},{"TestCase":{"Id":"9556e6c2-ec71-6662-fdc0-a381d277356e","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"94ff20cd3fbd233d96ba1a91e325d2a8f8df0f09"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_Single_Item"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0029017","StartTime":"2026-02-08T20:24:20.3343437+00:00","EndTime":"2026-02-08T20:24:20.336622+00:00","Properties":[]},{"TestCase":{"Id":"59fd77a7-f77d-3d3b-b37e-6b764c177a7d","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bed5e93d569c198683ee6ba89fc9be8d70ca1b18"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ChangeDatabase_NotSupported"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011028","StartTime":"2026-02-08T20:24:20.3365439+00:00","EndTime":"2026-02-08T20:24:20.3369267+00:00","Properties":[]},{"TestCase":{"Id":"eaa01d9b-65d0-c947-106a-5e99f781bcdc","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CreateParameter_CreatesInstance","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CreateParameter_CreatesInstance","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c3ca7e6c9e221193283a27c637a58d43c57fa1e8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_CreateParameter_CreatesInstance"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CreateParameter_CreatesInstance","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001595","StartTime":"2026-02-08T20:24:20.3370966+00:00","EndTime":"2026-02-08T20:24:20.337159+00:00","Properties":[]},{"TestCase":{"Id":"62957b7d-4109-ad30-6619-e3fd16a75633","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandType_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandType_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c43b09d60c8a9bf3bc3c97c1648094919c474495"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_CommandType_SetterGetter"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandType_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006443","StartTime":"2026-02-08T20:24:20.33731+00:00","EndTime":"2026-02-08T20:24:20.3373724+00:00","Properties":[]},{"TestCase":{"Id":"8d4b7e03-1719-df1f-668b-0856562e483d","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"51f6695aa765c18e4f4f22da021bebd989dba305"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Any_Exists"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0037820","StartTime":"2026-02-08T20:24:20.3350852+00:00","EndTime":"2026-02-08T20:24:20.3375898+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":215,"Stats":{"Passed":215}},"ActiveTests":[{"Id":"71245ccd-2f41-6c65-b4c8-f663ca9c1e70","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip","DisplayName":"DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"44feb4323438dc0d31a1c1349c38cf61aa003111"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertQueryUpdateDelete_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"0837e8d7-981e-fe99-2e5b-58c33fcce9d7","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"aedfe8363696a1a88154cb81968cac6d8ea67fef"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_Null_Predicate_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"5022e632-a994-6027-20a3-30a3d076d1ad","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d318c9f9321637877326f334eb4e48490aac7cee"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Database_Property"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"85e17a53-a6ea-6cd0-7446-467bffa03111","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5bbfc58ea703cb8ac1450c8feec8f4c75c8c6ced"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Constructor_WithConnectionString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.339, 368940152668565, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.339, 368940152699092, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.339, 368940152714030, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.339, 368940152726153, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.339, 368940152737224, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.339, 368940152760157, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.339, 368940152773702, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.339, 368940152787899, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.339, 368940152787468, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.339, 368940152834837, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.339, 368940152836250, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.339, 368940152884881, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.339, 368940152900691, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.339, 368940152916410, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.339, 368940152931649, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.339, 368940152987454, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.340, 368940153181518, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"5022e632-a994-6027-20a3-30a3d076d1ad","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d318c9f9321637877326f334eb4e48490aac7cee"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Database_Property"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002487","StartTime":"2026-02-08T20:24:20.3375238+00:00","EndTime":"2026-02-08T20:24:20.3383217+00:00","Properties":[]},{"TestCase":{"Id":"0837e8d7-981e-fe99-2e5b-58c33fcce9d7","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"aedfe8363696a1a88154cb81968cac6d8ea67fef"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_Null_Predicate_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017482","StartTime":"2026-02-08T20:24:20.3368424+00:00","EndTime":"2026-02-08T20:24:20.3385727+00:00","Properties":[]},{"TestCase":{"Id":"85e17a53-a6ea-6cd0-7446-467bffa03111","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5bbfc58ea703cb8ac1450c8feec8f4c75c8c6ced"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Constructor_WithConnectionString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009341","StartTime":"2026-02-08T20:24:20.3382673+00:00","EndTime":"2026-02-08T20:24:20.3388184+00:00","Properties":[]},{"TestCase":{"Id":"c92a6d98-9528-dfc6-e998-4c21c5cabea2","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"34602bc3676259d4548bca32a88dcdd3aff982bc"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OrderByDescending_SortsByColumnDesc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0039043","StartTime":"2026-02-08T20:24:20.3355364+00:00","EndTime":"2026-02-08T20:24:20.3390337+00:00","Properties":[]},{"TestCase":{"Id":"71245ccd-2f41-6c65-b4c8-f663ca9c1e70","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip","DisplayName":"DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"44feb4323438dc0d31a1c1349c38cf61aa003111"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertQueryUpdateDelete_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0041557","StartTime":"2026-02-08T20:24:20.3362927+00:00","EndTime":"2026-02-08T20:24:20.3392504+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":220,"Stats":{"Passed":220}},"ActiveTests":[{"Id":"c74f5b64-9855-0061-7b89-801dd9286eff","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dc400e73e37fd480775b7b49260f94f0aa0e7602"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameter_Constructors"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"26f1fe6f-1383-3c20-4c0a-8924511180e8","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b4f7ef1ee433c0223f019d67ed17833ae92bbc82"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"544743ba-977d-ba36-b842-919312a74f42","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"63b03e28dd6a017b34040acef0322c05e6aa8db5"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Constructor_WithPath"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"27f53195-2828-22fc-0dba-9278a07e198a","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"42e35a74a88ec2b6f6b3bc7bdc6793fcb1ec8420"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteMany_EmptyTable_ReturnsZero"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"a29fcf39-e67b-f406-be6e-28902fe5a60b","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.Views_CanBeMapped","DisplayName":"DecentDB.Tests.MicroOrmTests.Views_CanBeMapped","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"74674842c8be44e6dde93a9ce94cbb0008c3f720"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Views_CanBeMapped"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.341, 368940154271435, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.341, 368940154296272, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.341, 368940154309056, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.341, 368940154320768, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.341, 368940154333041, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.341, 368940154344372, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmTests.Views_CanBeMapped
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.341, 368940154369680, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.341, 368940154382744, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.341, 368940154383476, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.341, 368940154417139, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.341, 368940154445041, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.341, 368940154444330, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.341, 368940154480307, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.341, 368940154485998, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.341, 368940154513209, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.341, 368940155050208, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.342, 368940155250955, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"544743ba-977d-ba36-b842-919312a74f42","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"63b03e28dd6a017b34040acef0322c05e6aa8db5"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Constructor_WithPath"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006602","StartTime":"2026-02-08T20:24:20.3389812+00:00","EndTime":"2026-02-08T20:24:20.339977+00:00","Properties":[]},{"TestCase":{"Id":"19748034-6bf6-1395-dbd2-6ae23a14a320","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithInvalidPath_Throws","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithInvalidPath_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6bd3e5c33993a1f66ab1fb3f097802e928548d51"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Constructor_WithInvalidPath_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithInvalidPath_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010584","StartTime":"2026-02-08T20:24:20.3402485+00:00","EndTime":"2026-02-08T20:24:20.3403236+00:00","Properties":[]},{"TestCase":{"Id":"26f1fe6f-1383-3c20-4c0a-8924511180e8","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b4f7ef1ee433c0223f019d67ed17833ae92bbc82"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026059","StartTime":"2026-02-08T20:24:20.338744+00:00","EndTime":"2026-02-08T20:24:20.3405389+00:00","Properties":[]},{"TestCase":{"Id":"27f53195-2828-22fc-0dba-9278a07e198a","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"42e35a74a88ec2b6f6b3bc7bdc6793fcb1ec8420"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteMany_EmptyTable_ReturnsZero"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020137","StartTime":"2026-02-08T20:24:20.3391988+00:00","EndTime":"2026-02-08T20:24:20.3407733+00:00","Properties":[]},{"TestCase":{"Id":"c74f5b64-9855-0061-7b89-801dd9286eff","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dc400e73e37fd480775b7b49260f94f0aa0e7602"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameter_Constructors"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0035768","StartTime":"2026-02-08T20:24:20.3385094+00:00","EndTime":"2026-02-08T20:24:20.3410146+00:00","Properties":[]},{"TestCase":{"Id":"f127d69d-cc05-f054-5b64-3b612b8adcf3","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstOrDefault_EmptyTable_ReturnsNull","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstOrDefault_EmptyTable_ReturnsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5549dccb444456e3240e8766fe6688ed1b468a1f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstOrDefault_EmptyTable_ReturnsNull"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstOrDefault_EmptyTable_ReturnsNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011455","StartTime":"2026-02-08T20:24:20.3409399+00:00","EndTime":"2026-02-08T20:24:20.341256+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":226,"Stats":{"Passed":226}},"ActiveTests":[{"Id":"b452bea4-f038-1586-e48d-75fb3c89c714","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"784563e96ece45259e00faddf4b0581c0fcfcb41"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_OrderBy_ThenBy"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"1141117d-230b-49dc-0830-a5d716b4be28","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d96057c31bf65fe77974b8c5e3958d376cc70df1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_With_Transaction"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"3f24a3c8-45d3-f30d-9663-de45eaa6a8df","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dd75aefd626560394b6d44f05cffbfdd704dde6c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DbTransaction_SetterGetter"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"c7dfac1f-9e49-c5ca-f226-f174574a251b","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5d3ee292ff8e47040b48d52117d49f3ea3fabefa"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_BooleanEquality"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.343, 368940156394943, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.343, 368940156422204, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.343, 368940156434678, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.343, 368940156464263, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.343, 368940156476977, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.343, 368940156499640, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.343, 368940156513406, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.343, 368940156523014, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.343, 368940156527051, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.343, 368940156568960, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.343, 368940156579109, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 2 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.343, 368940156622781, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.343, 368940156651495, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.343, 368940156674298, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.343, 368940156704865, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.343, 368940156913296, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.343, 368940157094236, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"3f24a3c8-45d3-f30d-9663-de45eaa6a8df","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dd75aefd626560394b6d44f05cffbfdd704dde6c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DbTransaction_SetterGetter"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006777","StartTime":"2026-02-08T20:24:20.3411814+00:00","EndTime":"2026-02-08T20:24:20.3419911+00:00","Properties":[]},{"TestCase":{"Id":"8c42a703-55ba-0646-e89b-fdb8cc430975","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn","DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5c9d0321256d40098b1715d5a834ee79bd2518ad"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectAsync_ProjectsSingleColumn"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0095097","StartTime":"2026-02-08T20:24:20.3335195+00:00","EndTime":"2026-02-08T20:24:20.3422613+00:00","Properties":[]},{"TestCase":{"Id":"70468a32-2f05-eb33-e307-499f98adf348","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQueryAsync","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQueryAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"de69f82e7486faa4cc6b7129ba649a75783d9c64"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteNonQueryAsync"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQueryAsync","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011317","StartTime":"2026-02-08T20:24:20.3421962+00:00","EndTime":"2026-02-08T20:24:20.3425039+00:00","Properties":[]},{"TestCase":{"Id":"b452bea4-f038-1586-e48d-75fb3c89c714","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"784563e96ece45259e00faddf4b0581c0fcfcb41"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_OrderBy_ThenBy"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0031262","StartTime":"2026-02-08T20:24:20.3404875+00:00","EndTime":"2026-02-08T20:24:20.3427164+00:00","Properties":[]},{"TestCase":{"Id":"23b36d5a-1ac9-83d0-5038-82c962e92b47","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Commit_ThenDispose","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Commit_ThenDispose","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e1c98cc6f89ea4d5e7c5366eae0233ea2bc5020d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBTransaction_Commit_ThenDispose"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Commit_ThenDispose","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005243","StartTime":"2026-02-08T20:24:20.3426532+00:00","EndTime":"2026-02-08T20:24:20.342938+00:00","Properties":[]},{"TestCase":{"Id":"c7dfac1f-9e49-c5ca-f226-f174574a251b","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5d3ee292ff8e47040b48d52117d49f3ea3fabefa"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_BooleanEquality"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019512","StartTime":"2026-02-08T20:24:20.3419757+00:00","EndTime":"2026-02-08T20:24:20.3431512+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":232,"Stats":{"Passed":232}},"ActiveTests":[{"Id":"03fe9151-fb5e-270f-aefb-cedb3a33fe40","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5f77c271f2f87a1dff6f870a891206cbca992dd1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_ExplicitId_StillWorks"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"9b42073d-10d4-9499-8190-cb6e4fed73d8","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"88187005ddfdc3727cb7aaecf67e2c6a06b28528"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_DeleteManyAsync_Entities"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"342f3946-8762-c4d4-f9a6-760dd93258cd","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e2347e9e352b16dc0702abe7dfc29662c3002334"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ConstructorWithConnection"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"b18dad66-03f2-4135-071a-4e1f3d2f9aec","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6bb6f4396a95870e8a61ef681aeb45b5917bdea1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertMany_InExplicitTransaction_Commit"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.345, 368940158220050, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.345, 368940158253022, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.345, 368940158269122, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.345, 368940158280503, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.345, 368940158291895, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.345, 368940158314227, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.345, 368940158328243, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.345, 368940158337641, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.345, 368940158342209, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.345, 368940158384649, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.345, 368940158398234, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.345, 368940158433290, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.345, 368940158467635, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.345, 368940158491800, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.345, 368940158514673, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.345, 368940159093550, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.346, 368940159289498, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"342f3946-8762-c4d4-f9a6-760dd93258cd","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e2347e9e352b16dc0702abe7dfc29662c3002334"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ConstructorWithConnection"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002111","StartTime":"2026-02-08T20:24:20.3430892+00:00","EndTime":"2026-02-08T20:24:20.3438376+00:00","Properties":[]},{"TestCase":{"Id":"96c9f895-63ea-ac27-6c3f-2f28cc51e825","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f0c75eb0acc79b3b76e7a9e3e0fb8420464fd267"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ConnectionString_SetterGetter"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002501","StartTime":"2026-02-08T20:24:20.3440576+00:00","EndTime":"2026-02-08T20:24:20.3441311+00:00","Properties":[]},{"TestCase":{"Id":"03fe9151-fb5e-270f-aefb-cedb3a33fe40","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5f77c271f2f87a1dff6f870a891206cbca992dd1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_ExplicitId_StillWorks"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0022801","StartTime":"2026-02-08T20:24:20.3424295+00:00","EndTime":"2026-02-08T20:24:20.3443699+00:00","Properties":[]},{"TestCase":{"Id":"598d70d3-1356-e4d3-b2ef-5f76df8abb73","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_CreateParameter","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateParameter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6883f57bcd0cc42ed54a69ba3c12222fdbe22e96"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_CreateParameter"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateParameter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003685","StartTime":"2026-02-08T20:24:20.3445342+00:00","EndTime":"2026-02-08T20:24:20.3445998+00:00","Properties":[]},{"TestCase":{"Id":"3b650059-f94b-572f-b30f-9b2c8e884fee","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f16297bd462c73f0ccd14986a25d8bd7d6602b9d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_UnsupportedCollection_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006971","StartTime":"2026-02-08T20:24:20.3442958+00:00","EndTime":"2026-02-08T20:24:20.3448271+00:00","Properties":[]},{"TestCase":{"Id":"1141117d-230b-49dc-0830-a5d716b4be28","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d96057c31bf65fe77974b8c5e3958d376cc70df1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_With_Transaction"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0045718","StartTime":"2026-02-08T20:24:20.340711+00:00","EndTime":"2026-02-08T20:24:20.3450344+00:00","Properties":[]},{"TestCase":{"Id":"a49487ba-8e85-e560-f3fa-3517575907e3","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ServerVersion_Property","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ServerVersion_Property","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fab42479d3630eb0bddf5d605a25aa6df2feacd8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ServerVersion_Property"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ServerVersion_Property","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003680","StartTime":"2026-02-08T20:24:20.3449831+00:00","EndTime":"2026-02-08T20:24:20.3452616+00:00","Properties":[]},{"TestCase":{"Id":"a29fcf39-e67b-f406-be6e-28902fe5a60b","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.Views_CanBeMapped","DisplayName":"DecentDB.Tests.MicroOrmTests.Views_CanBeMapped","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"74674842c8be44e6dde93a9ce94cbb0008c3f720"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Views_CanBeMapped"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.Views_CanBeMapped","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0065524","StartTime":"2026-02-08T20:24:20.3398983+00:00","EndTime":"2026-02-08T20:24:20.3454226+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":240,"Stats":{"Passed":240}},"ActiveTests":[{"Id":"8f0eacbb-8fa5-d943-a21f-5dda0a5a8cba","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8c1f3a41ce2874abf1fb7ade26d7a14b4f47ee4e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_DataSource"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"3d72b9f2-8007-f51d-9a97-c67ae7e323de","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dbcc8173419b2bd3c85f6706c55a12271538e144"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Transaction_Rollback_On_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.347, 368940160545617, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.347, 368940160578398, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.347, 368940160591593, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.347, 368940160618964, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.347, 368940160633051, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.347, 368940160648330, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.347, 368940160676553, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 2 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.347, 368940160647057, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.347, 368940160741014, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.347, 368940160768545, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.347, 368940160791078, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.347, 368940160814732, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.347, 368940160838757, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.347, 368940160860658, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.347, 368940160882059, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.347, 368940160994149, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.348, 368940161183675, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"b18dad66-03f2-4135-071a-4e1f3d2f9aec","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6bb6f4396a95870e8a61ef681aeb45b5917bdea1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertMany_InExplicitTransaction_Commit"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016065","StartTime":"2026-02-08T20:24:20.3439637+00:00","EndTime":"2026-02-08T20:24:20.3460704+00:00","Properties":[]},{"TestCase":{"Id":"8f0eacbb-8fa5-d943-a21f-5dda0a5a8cba","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8c1f3a41ce2874abf1fb7ade26d7a14b4f47ee4e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_DataSource"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006637","StartTime":"2026-02-08T20:24:20.3447526+00:00","EndTime":"2026-02-08T20:24:20.3462934+00:00","Properties":[]},{"TestCase":{"Id":"9b42073d-10d4-9499-8190-cb6e4fed73d8","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"88187005ddfdc3727cb7aaecf67e2c6a06b28528"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_DeleteManyAsync_Entities"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0029619","StartTime":"2026-02-08T20:24:20.3428874+00:00","EndTime":"2026-02-08T20:24:20.3466722+00:00","Properties":[]},{"TestCase":{"Id":"07348ac8-1669-6647-569a-cd1c68ffef57","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"98fe09b808ceadad21795db1b9ff000efd430759"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Set_GenericMethod"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009119","StartTime":"2026-02-08T20:24:20.3468507+00:00","EndTime":"2026-02-08T20:24:20.3469133+00:00","Properties":[]},{"TestCase":{"Id":"82a063ad-648b-0a8f-23df-aa21da3102a5","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"869b3dd0d7d7b7016747e02449afb2482e7ce4d7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_LessThanOrEqual"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020552","StartTime":"2026-02-08T20:24:20.3465252+00:00","EndTime":"2026-02-08T20:24:20.34713+00:00","Properties":[]},{"TestCase":{"Id":"3d72b9f2-8007-f51d-9a97-c67ae7e323de","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dbcc8173419b2bd3c85f6706c55a12271538e144"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Transaction_Rollback_On_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0025706","StartTime":"2026-02-08T20:24:20.3451992+00:00","EndTime":"2026-02-08T20:24:20.3473379+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":246,"Stats":{"Passed":246}},"ActiveTests":[{"Id":"2ff57458-8ad0-0ccc-ca6a-a72fc54aff4b","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax","DisplayName":"DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b397ad5be7c2d5c14490aa880a7f707c0ca85c30"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SupportsQueryableLinqSyntax"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"041e5553-38e8-e4b1-b12f-cb2c6eabc77f","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere","DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8d3999b19d7cfcd5d168127dd4b0de112078e6a2"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectAsync_WithWhere"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"d3f9d759-1a6a-1a54-dd04-6924545e7b63","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a134e7fa820a1aa28593a7c4ac9a5b73099b3406"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_InsertAsync_SingleEntity"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"5d7e3914-aa2d-1f03-6a5a-5337f5d27cdb","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8ad495a361d4490b3041428f672ec3c82141f806"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_NotEqual"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.349, 368940162307185, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.349, 368940162333134, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.349, 368940162345517, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.349, 368940162356958, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.349, 368940162369903, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.349, 368940162391573, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.349, 368940162405399, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.349, 368940162419125, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.349, 368940162424916, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.349, 368940162434234, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.349, 368940162476834, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.349, 368940162515186, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.349, 368940162539391, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.349, 368940162565099, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.349, 368940162588133, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.351, 368940164626030, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.351, 368940164850491, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"041e5553-38e8-e4b1-b12f-cb2c6eabc77f","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere","DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8d3999b19d7cfcd5d168127dd4b0de112078e6a2"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectAsync_WithWhere"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0034143","StartTime":"2026-02-08T20:24:20.3465562+00:00","EndTime":"2026-02-08T20:24:20.348105+00:00","Properties":[]},{"TestCase":{"Id":"d3f9d759-1a6a-1a54-dd04-6924545e7b63","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a134e7fa820a1aa28593a7c4ac9a5b73099b3406"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_InsertAsync_SingleEntity"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017312","StartTime":"2026-02-08T20:24:20.3470787+00:00","EndTime":"2026-02-08T20:24:20.3483524+00:00","Properties":[]},{"TestCase":{"Id":"ab5b636d-61e6-f896-f42c-ff768ba76c96","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnection","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8e80433c49f30417ce291adee70783d0950a6167"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_CreateConnection"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnection","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001671","StartTime":"2026-02-08T20:24:20.348276+00:00","EndTime":"2026-02-08T20:24:20.3485426+00:00","Properties":[]},{"TestCase":{"Id":"202b3fa6-879e-e3e1-a9e5-b102e4eb4ce3","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperExecute","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperExecute","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"380c5e06499d006fa1c74746311f9a967463b7e7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperExecute"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperExecute","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0241839","StartTime":"2026-02-08T20:24:20.3271346+00:00","EndTime":"2026-02-08T20:24:20.3488019+00:00","Properties":[]},{"TestCase":{"Id":"5d7e3914-aa2d-1f03-6a5a-5337f5d27cdb","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8ad495a361d4490b3041428f672ec3c82141f806"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_NotEqual"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0034912","StartTime":"2026-02-08T20:24:20.3472999+00:00","EndTime":"2026-02-08T20:24:20.3490829+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":251,"Stats":{"Passed":251}},"ActiveTests":[{"Id":"66a4fcb2-edef-91eb-7f80-628996536ce7","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e43910b73ecb7a8cf2b5f23019f9073dde0010d9"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_With_Null_Value_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"eeff2b84-83a5-86b0-2b2b-50676318def5","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"af53ca4a8dc8b34e6875d11f679c7a985c5565d8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_UpdateAsync_Entity"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"c7a11043-95d1-a7bf-579c-ddbd8f043673","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9a1a3e40fbd62eb8da872c80156311e1ca5d6ce0"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Indexes_ReturnsTable"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"1d4c207e-eb9a-deed-452b-605cad4121e3","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperQuery","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperQuery","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c4adf8062df283e961afb8953695c7870db8f5d6"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperQuery"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},{"Id":"92b0e310-2442-06b0-2990-03e1d2cdf962","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"979a3a45de1cced5cfc08080d8d7579c8570152c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetTableColumnsJson_ReturnsColumnMetadata"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.352, 368940166044764, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.352, 368940166072025, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.352, 368940166084749, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.352, 368940166096020, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.352, 368940166107171, vstest.console.dll, InProgress is DecentDB.Tests.DapperIntegrationTests.TestDapperQuery
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.352, 368940166119394, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.353, 368940166146004, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.353, 368940166165351, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.353, 368940166180439, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.353, 368940166179016, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.353, 368940166204123, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 3 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.353, 368940166249248, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.353, 368940166284214, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.353, 368940166307918, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.353, 368940166334108, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.353, 368940166556375, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.353, 368940166803860, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"eeff2b84-83a5-86b0-2b2b-50676318def5","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"af53ca4a8dc8b34e6875d11f679c7a985c5565d8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_UpdateAsync_Entity"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020933","StartTime":"2026-02-08T20:24:20.3486358+00:00","EndTime":"2026-02-08T20:24:20.3516118+00:00","Properties":[]},{"TestCase":{"Id":"66a4fcb2-edef-91eb-7f80-628996536ce7","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e43910b73ecb7a8cf2b5f23019f9073dde0010d9"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_With_Null_Value_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0040024","StartTime":"2026-02-08T20:24:20.3480168+00:00","EndTime":"2026-02-08T20:24:20.3518905+00:00","Properties":[]},{"TestCase":{"Id":"92b0e310-2442-06b0-2990-03e1d2cdf962","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"979a3a45de1cced5cfc08080d8d7579c8570152c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetTableColumnsJson_ReturnsColumnMetadata"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007581","StartTime":"2026-02-08T20:24:20.3515466+00:00","EndTime":"2026-02-08T20:24:20.3520643+00:00","Properties":[]},{"TestCase":{"Id":"c7a11043-95d1-a7bf-579c-ddbd8f043673","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9a1a3e40fbd62eb8da872c80156311e1ca5d6ce0"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Indexes_ReturnsTable"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0033409","StartTime":"2026-02-08T20:24:20.348727+00:00","EndTime":"2026-02-08T20:24:20.3523012+00:00","Properties":[]},{"TestCase":{"Id":"518ca80f-342f-4cb3-4c6f-beec12fa86be","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_CreateCommand","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateCommand","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9b1da149289f33eb0cd84062a384952b124c14ba"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_CreateCommand"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateCommand","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002008","StartTime":"2026-02-08T20:24:20.3524687+00:00","EndTime":"2026-02-08T20:24:20.352531+00:00","Properties":[]},{"TestCase":{"Id":"1d4c207e-eb9a-deed-452b-605cad4121e3","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperQuery","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperQuery","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c4adf8062df283e961afb8953695c7870db8f5d6"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperQuery"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperQuery","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0030083","StartTime":"2026-02-08T20:24:20.3489878+00:00","EndTime":"2026-02-08T20:24:20.3527473+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":257,"Stats":{"Passed":257}},"ActiveTests":[{"Id":"789e6a1c-bbe6-0e9e-2293-56c685a6a4ba","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bb9ba1205d830a929dffde64f997ad28580cb791"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_First_FirstOrDefault"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"d2157c8c-43f4-6772-ba74-097f050f7091","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"99746ef076e17759bba54e87cdefbca8e403df19"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ThenBy_MultiColumnSort"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"e3ba815c-82a8-8b3b-39e5-79cf626e5ff6","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9c50931618d45df78cba8688812cf605c3f2fd7d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Indexes_UniqueIndex"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"242a2121-9b92-eeb3-e4f7-233e2ba3571e","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperParameters","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e5a35057982e63cf6305ca75fef8fa06e9bd8787"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperParameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.355, 368940168599382, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.355, 368940168630851, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.355, 368940168649927, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.355, 368940168669423, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.355, 368940168689291, vstest.console.dll, InProgress is DecentDB.Tests.DapperIntegrationTests.TestDapperParameters
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.355, 368940168722804, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.355, 368940168746929, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.355, 368940168746328, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.355, 368940168784449, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.355, 368940168830586, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.355, 368940168867505, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 2 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.355, 368940168868076, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.355, 368940168934161, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.355, 368940168964638, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.355, 368940168989354, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.356, 368940169543335, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.356, 368940169820746, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"789e6a1c-bbe6-0e9e-2293-56c685a6a4ba","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bb9ba1205d830a929dffde64f997ad28580cb791"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_First_FirstOrDefault"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020542","StartTime":"2026-02-08T20:24:20.3518236+00:00","EndTime":"2026-02-08T20:24:20.3535708+00:00","Properties":[]},{"TestCase":{"Id":"e3ba815c-82a8-8b3b-39e5-79cf626e5ff6","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9c50931618d45df78cba8688812cf605c3f2fd7d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Indexes_UniqueIndex"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010259","StartTime":"2026-02-08T20:24:20.3526839+00:00","EndTime":"2026-02-08T20:24:20.3539732+00:00","Properties":[]},{"TestCase":{"Id":"cc6b7ee5-938f-0881-4c79-fa2d165abd5f","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_CanCreateDataSourceEnumerator_IsFalse","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CanCreateDataSourceEnumerator_IsFalse","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9e35098f45d07080e2a65a7020345aa2b3557e63"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_CanCreateDataSourceEnumerator_IsFalse"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CanCreateDataSourceEnumerator_IsFalse","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002237","StartTime":"2026-02-08T20:24:20.3542856+00:00","EndTime":"2026-02-08T20:24:20.3543921+00:00","Properties":[]},{"TestCase":{"Id":"2eb90095-4db2-a177-4158-17535c6b8e50","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"aad5984f599fa11a803192b76c9129aa2e9360d8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_Instance_NotNull"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0000713","StartTime":"2026-02-08T20:24:20.3546639+00:00","EndTime":"2026-02-08T20:24:20.3547698+00:00","Properties":[]},{"TestCase":{"Id":"242a2121-9b92-eeb3-e4f7-233e2ba3571e","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperParameters","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e5a35057982e63cf6305ca75fef8fa06e9bd8787"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperParameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperParameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012377","StartTime":"2026-02-08T20:24:20.353491+00:00","EndTime":"2026-02-08T20:24:20.355149+00:00","Properties":[]},{"TestCase":{"Id":"d2157c8c-43f4-6772-ba74-097f050f7091","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"99746ef076e17759bba54e87cdefbca8e403df19"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ThenBy_MultiColumnSort"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023211","StartTime":"2026-02-08T20:24:20.3522361+00:00","EndTime":"2026-02-08T20:24:20.3554305+00:00","Properties":[]},{"TestCase":{"Id":"38a6ee3f-fa3b-9713-c45b-59e9eb047b9e","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_ExistingEntity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_ExistingEntity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c195edc053651a00e438d09af682c2d9c8d9d1fd"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_GetAsync_ExistingEntity"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_ExistingEntity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015208","StartTime":"2026-02-08T20:24:20.3538651+00:00","EndTime":"2026-02-08T20:24:20.3557961+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":264,"Stats":{"Passed":264}},"ActiveTests":[{"Id":"66fa9c0e-9134-c564-4ed5-1ce0dd23f7b5","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b3e303e949f416f33931ed4c3d29862be6c1d993"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Indexes_FilterByTable"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"07f5ed88-161f-afbd-cc7d-b0c904e09e81","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9d0f6f84c2e4f46c547eadea027f630e44aeab31"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_LessThan"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"9111692d-b29b-f2f6-90ef-710305b1aa5d","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ce66a79f85e9f6f7772632a7e6e4a66ddead122b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_GetAsync_NonExistingEntity"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.359, 368940172743373, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.359, 368940172794088, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.359, 368940172816029, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.359, 368940172836307, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.359, 368940172872305, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.359, 368940172896671, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.359, 368940172910537, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.359, 368940172926266, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 3 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.359, 368940172963005, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 4 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.359, 368940172972583, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.359, 368940173019101, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.359, 368940173023569, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.359, 368940173078372, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.359, 368940173121002, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.360, 368940173157641, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.360, 368940173183569, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.360, 368940173327700, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"66fa9c0e-9134-c564-4ed5-1ce0dd23f7b5","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b3e303e949f416f33931ed4c3d29862be6c1d993"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Indexes_FilterByTable"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010358","StartTime":"2026-02-08T20:24:20.3550619+00:00","EndTime":"2026-02-08T20:24:20.3565406+00:00","Properties":[]},{"TestCase":{"Id":"07f5ed88-161f-afbd-cc7d-b0c904e09e81","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9d0f6f84c2e4f46c547eadea027f630e44aeab31"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_LessThan"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017823","StartTime":"2026-02-08T20:24:20.3557057+00:00","EndTime":"2026-02-08T20:24:20.3569783+00:00","Properties":[]},{"TestCase":{"Id":"9111692d-b29b-f2f6-90ef-710305b1aa5d","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ce66a79f85e9f6f7772632a7e6e4a66ddead122b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_GetAsync_NonExistingEntity"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012298","StartTime":"2026-02-08T20:24:20.3564613+00:00","EndTime":"2026-02-08T20:24:20.357359+00:00","Properties":[]},{"TestCase":{"Id":"2ff57458-8ad0-0ccc-ca6a-a72fc54aff4b","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax","DisplayName":"DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b397ad5be7c2d5c14490aa880a7f707c0ca85c30"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SupportsQueryableLinqSyntax"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0113386","StartTime":"2026-02-08T20:24:20.3464443+00:00","EndTime":"2026-02-08T20:24:20.3577778+00:00","Properties":[]},{"TestCase":{"Id":"04ba433b-8870-b884-05bf-b3bae96d2f31","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_IgnoresDuplicate","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_IgnoresDuplicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b7e7478498150b2a05f59be9321eda20d6af4d3c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertOrIgnoreAsync_IgnoresDuplicate"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_IgnoresDuplicate","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017976","StartTime":"2026-02-08T20:24:20.3568505+00:00","EndTime":"2026-02-08T20:24:20.3581614+00:00","Properties":[]},{"TestCase":{"Id":"fd61b3b4-47d1-a379-d570-458f2059b61f","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b884bd9992cb0220983c3ba62ee554084d1373b4"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_CreateConnectionStringBuilder"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003183","StartTime":"2026-02-08T20:24:20.3584249+00:00","EndTime":"2026-02-08T20:24:20.3585245+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":270,"Stats":{"Passed":270}},"ActiveTests":[{"Id":"e241c2b5-7b8b-f004-7066-ad10db6d2f2d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9d2dcadfa92853d0c00e3720096111c50c02c8a7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_OrCondition"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"3d994371-c6db-aae9-f792-32920726b2bf","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d8735cc19b640ba08e4b44297bc31752cfa66a60"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Where_Clause"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"baae10db-f229-fc3c-05ca-0ace1d4cb737","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip","DisplayName":"DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bd9fd58c2f92480235e8d00653b79241af39bd75"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllDataTypes_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"62a127fa-e3cb-4946-277d-5500041c7973","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities","DisplayName":"DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bd3dceec156265860c58c4c59c3f9c8239fab751"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"QueryAsync_ReturnsEntities"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.361, 368940174790227, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.361, 368940174818841, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.361, 368940174831585, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.361, 368940174842725, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.361, 368940174854137, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.361, 368940174876409, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.361, 368940174891146, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.361, 368940174902548, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.361, 368940174909811, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.361, 368940174950297, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.361, 368940174957691, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 1 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.361, 368940174992437, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.361, 368940175020790, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.361, 368940175044294, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.361, 368940175068299, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.362, 368940175708672, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.362, 368940176016099, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"3d994371-c6db-aae9-f792-32920726b2bf","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d8735cc19b640ba08e4b44297bc31752cfa66a60"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Where_Clause"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0081750","StartTime":"2026-02-08T20:24:20.3576492+00:00","EndTime":"2026-02-08T20:24:20.3595531+00:00","Properties":[]},{"TestCase":{"Id":"e241c2b5-7b8b-f004-7066-ad10db6d2f2d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9d2dcadfa92853d0c00e3720096111c50c02c8a7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_OrCondition"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0086196","StartTime":"2026-02-08T20:24:20.3572911+00:00","EndTime":"2026-02-08T20:24:20.3599439+00:00","Properties":[]},{"TestCase":{"Id":"62a127fa-e3cb-4946-277d-5500041c7973","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities","DisplayName":"DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bd3dceec156265860c58c4c59c3f9c8239fab751"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"QueryAsync_ReturnsEntities"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0079549","StartTime":"2026-02-08T20:24:20.3594406+00:00","EndTime":"2026-02-08T20:24:20.3603331+00:00","Properties":[]},{"TestCase":{"Id":"5f2dd9b3-fe84-a3af-7e0d-80088ad2929f","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_SetProperties","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_SetProperties","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d3902a53102b9f896b5f6b9022242d18d999d6e6"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_SetProperties"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_SetProperties","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006712","StartTime":"2026-02-08T20:24:20.3606219+00:00","EndTime":"2026-02-08T20:24:20.3607275+00:00","Properties":[]},{"TestCase":{"Id":"91a89308-e50a-8ba3-080d-c0cbc9fcfa57","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f598e3383f4957415cffaafcf16348e52706671d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_SingleOrDefault"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017680","StartTime":"2026-02-08T20:24:20.3598677+00:00","EndTime":"2026-02-08T20:24:20.3611925+00:00","Properties":[]},{"TestCase":{"Id":"d3d245ab-8c3e-230e-9f91-e64ad96dcf04","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d3e2a7df3638e7f69884a30d1558463f8c6f943e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_Defaults"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001686","StartTime":"2026-02-08T20:24:20.3609944+00:00","EndTime":"2026-02-08T20:24:20.36153+00:00","Properties":[]},{"TestCase":{"Id":"18d596f5-9504-f600-9190-88e11c0a6246","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_UsableWithConnection","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_UsableWithConnection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"de796512796d78a08d55ac500d9ddaa14fe09f4d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_UsableWithConnection"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_UsableWithConnection","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007660","StartTime":"2026-02-08T20:24:20.3616949+00:00","EndTime":"2026-02-08T20:24:20.3617704+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":277,"Stats":{"Passed":277}},"ActiveTests":[{"Id":"d97fdbc2-5a64-4eaf-524a-53214ae6e189","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9edc87fc1480d093c4f70472c1f12d1e3bc59fef"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"EnumProperty_RoundTrip_ViaMicroOrm"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"854be571-ac49-e8c1-bcd9-2b100af34386","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f7f0bce25124eea93340b5a02bb6d79847ac9657"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_DeleteAsync_Entity"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"27918ad1-752e-0f9b-5e76-24ac132fa3f2","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow","DisplayName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e0842c27e282296553a580d44e90a2c2fcda2552"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpsertAsync_InsertsNewRow"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.364, 368940177691325, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.364, 368940177730869, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.364, 368940177750627, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.364, 368940177765444, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.364, 368940177801282, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.364, 368940177819376, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.364, 368940177838562, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.364, 368940177859982, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 2 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.364, 368940177857167, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.364, 368940177939882, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.364, 368940177971712, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.364, 368940177994875, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.364, 368940178017057, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.364, 368940178039229, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.364, 368940178062562, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.365, 368940178401829, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.365, 368940178701402, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"27918ad1-752e-0f9b-5e76-24ac132fa3f2","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow","DisplayName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e0842c27e282296553a580d44e90a2c2fcda2552"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpsertAsync_InsertsNewRow"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0018376","StartTime":"2026-02-08T20:24:20.3626089+00:00","EndTime":"2026-02-08T20:24:20.3626894+00:00","Properties":[]},{"TestCase":{"Id":"854be571-ac49-e8c1-bcd9-2b100af34386","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f7f0bce25124eea93340b5a02bb6d79847ac9657"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_DeleteAsync_Entity"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0028151","StartTime":"2026-02-08T20:24:20.3614734+00:00","EndTime":"2026-02-08T20:24:20.3629683+00:00","Properties":[]},{"TestCase":{"Id":"0a99e093-c5a4-ffea-034a-e0099225c88d","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ff4fb2b142ae7308aee7751112d221a85d6421d7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_MetaDataCollections_IncludesIndexes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005625","StartTime":"2026-02-08T20:24:20.3628978+00:00","EndTime":"2026-02-08T20:24:20.3631483+00:00","Properties":[]},{"TestCase":{"Id":"baae10db-f229-fc3c-05ca-0ace1d4cb737","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip","DisplayName":"DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bd9fd58c2f92480235e8d00653b79241af39bd75"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllDataTypes_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0145739","StartTime":"2026-02-08T20:24:20.358074+00:00","EndTime":"2026-02-08T20:24:20.3632993+00:00","Properties":[]},{"TestCase":{"Id":"d97fdbc2-5a64-4eaf-524a-53214ae6e189","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9edc87fc1480d093c4f70472c1f12d1e3bc59fef"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"EnumProperty_RoundTrip_ViaMicroOrm"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0074126","StartTime":"2026-02-08T20:24:20.3602201+00:00","EndTime":"2026-02-08T20:24:20.3636851+00:00","Properties":[]},{"TestCase":{"Id":"b4f134ec-fe45-ea0d-bbe4-5d3379545e4f","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.CommonTableExpressions_Supported","DisplayName":"DecentDB.Tests.MicroOrmTests.CommonTableExpressions_Supported","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c035632ae9b078f3f3571e4ae1dc25bc4f8d3ca8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CommonTableExpressions_Supported"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.CommonTableExpressions_Supported","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017349","StartTime":"2026-02-08T20:24:20.3636141+00:00","EndTime":"2026-02-08T20:24:20.3639548+00:00","Properties":[]},{"TestCase":{"Id":"5ad0f035-7c82-0045-6af3-bdcf2a48fcc9","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a089f21c543dc2b3e4ba482db3964fa431a20da3"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CountAsync_WithPredicate"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0022234","StartTime":"2026-02-08T20:24:20.3638914+00:00","EndTime":"2026-02-08T20:24:20.364103+00:00","Properties":[]},{"TestCase":{"Id":"ecd4593f-fbac-a8cf-1572-3db1b651fce4","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Take_Zero_ReturnsEmpty","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Take_Zero_ReturnsEmpty","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a5ba6c24283e1967831092f0698786eb3ba3d85c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Take_Zero_ReturnsEmpty"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Take_Zero_ReturnsEmpty","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017712","StartTime":"2026-02-08T20:24:20.3642652+00:00","EndTime":"2026-02-08T20:24:20.3643273+00:00","Properties":[]},{"TestCase":{"Id":"b0b1f2f7-2d30-2c5e-9975-6ea061ce4940","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Convention_SnakeCasePluralTableName","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Convention_SnakeCasePluralTableName","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ad303a9e844b9a56003810e3d5880756eb679de7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Convention_SnakeCasePluralTableName"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Convention_SnakeCasePluralTableName","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0032820","StartTime":"2026-02-08T20:24:20.3644957+00:00","EndTime":"2026-02-08T20:24:20.3645567+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":286,"Stats":{"Passed":286}},"ActiveTests":[{"Id":"b51403a8-3351-6942-37fa-7530929c801a","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b0ff837483ba4746cbf92dca2d1cff6d2e076290"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstAsync_WithPredicate"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.367, 368940180380706, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.367, 368940180420560, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.367, 368940180464813, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.367, 368940180486705, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.367, 368940180485382, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.367, 368940180518534, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.367, 368940180561956, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.367, 368940180605708, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 2 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.367, 368940180610116, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.367, 368940180654029, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.367, 368940180681841, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.367, 368940180703722, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.367, 368940180727096, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.367, 368940180749969, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.367, 368940180772050, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.369, 368940182187618, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.369, 368940182434422, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"b51403a8-3351-6942-37fa-7530929c801a","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b0ff837483ba4746cbf92dca2d1cff6d2e076290"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstAsync_WithPredicate"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017002","StartTime":"2026-02-08T20:24:20.3653111+00:00","EndTime":"2026-02-08T20:24:20.3654052+00:00","Properties":[]},{"TestCase":{"Id":"122e0812-ab63-3620-3b9a-9380ea4b1051","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteByIdAsync_NonExistent_DoesNotThrow","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteByIdAsync_NonExistent_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b35119981080eb8de28ec076591831162a2bf00f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteByIdAsync_NonExistent_DoesNotThrow"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteByIdAsync_NonExistent_DoesNotThrow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016902","StartTime":"2026-02-08T20:24:20.365678+00:00","EndTime":"2026-02-08T20:24:20.3657744+00:00","Properties":[]},{"TestCase":{"Id":"b68fd8b9-a7b9-d610-97eb-9ee7b0ea0e74","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Set_MultipleCallsReturnWorkingSets","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Set_MultipleCallsReturnWorkingSets","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c86e95fe22d44d3274e613e7958efff9d6c88e58"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Set_MultipleCallsReturnWorkingSets"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Set_MultipleCallsReturnWorkingSets","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015117","StartTime":"2026-02-08T20:24:20.3660535+00:00","EndTime":"2026-02-08T20:24:20.3661604+00:00","Properties":[]},{"TestCase":{"Id":"3ed9b42a-9748-79e6-7882-b1feae38b81d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_GreaterThan","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_GreaterThan","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cfb90f61e1d3102a63e71bdae8b58ca21f92cc70"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_GreaterThan"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_GreaterThan","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0025241","StartTime":"2026-02-08T20:24:20.3664497+00:00","EndTime":"2026-02-08T20:24:20.3665568+00:00","Properties":[]},{"TestCase":{"Id":"f5e5d7a5-8f51-150d-61b9-9bfacc8871b9","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumParameter_RoundTrip_ViaAdoNet","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumParameter_RoundTrip_ViaAdoNet","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d71ebc903c3189a28bbf40a968f8769ee553c5c3"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"EnumParameter_RoundTrip_ViaAdoNet"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumParameter_RoundTrip_ViaAdoNet","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0045346","StartTime":"2026-02-08T20:24:20.3669097+00:00","EndTime":"2026-02-08T20:24:20.367003+00:00","Properties":[]},{"TestCase":{"Id":"2a10a141-dcba-8129-9d89-c124b18d8fb1","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNull","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d78ea56d53a9380cc5b8c86411a47696a84805c8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_IsNull"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0038638","StartTime":"2026-02-08T20:24:20.3672404+00:00","EndTime":"2026-02-08T20:24:20.3673308+00:00","Properties":[]},{"TestCase":{"Id":"430a460b-7950-fa41-29c4-b050e92366d7","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d84016b2162179d8d8bb3f903fd86a4413efb5dd"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AnyAsync_WithPredicate_NoMatch"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017471","StartTime":"2026-02-08T20:24:20.3675574+00:00","EndTime":"2026-02-08T20:24:20.3676525+00:00","Properties":[]},{"TestCase":{"Id":"39439d5c-609d-167a-f412-51e71101105b","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_EmptyTable_ReturnsZero","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_EmptyTable_ReturnsZero","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d9e684d77819bf8516165d5d08b093cb378a738c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CountAsync_EmptyTable_ReturnsZero"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_EmptyTable_ReturnsZero","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010401","StartTime":"2026-02-08T20:24:20.3678716+00:00","EndTime":"2026-02-08T20:24:20.3679596+00:00","Properties":[]},{"TestCase":{"Id":"59a72e5c-2760-e780-f527-0a653fa30cf5","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_StartsWith_MultiChar","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_StartsWith_MultiChar","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dd6daf588381f801638a262b237f34b59faf467f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_StartsWith_MultiChar"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_StartsWith_MultiChar","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017471","StartTime":"2026-02-08T20:24:20.3681721+00:00","EndTime":"2026-02-08T20:24:20.3682559+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":295,"Stats":{"Passed":295}},"ActiveTests":[{"Id":"dda250f5-6f34-c920-bd39-478a494d9809","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e6b7c7d89c5801c9c2292b3a3bbe64cbdf7d1dca"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_CapturedVariable"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.370, 368940183713273, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.370, 368940183748229, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.370, 368940183776732, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.370, 368940183792512, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.370, 368940183807049, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.370, 368940183806488, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.370, 368940183864146, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 3 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.370, 368940183870318, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.370, 368940183906967, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.370, 368940183940931, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.370, 368940183964565, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.370, 368940183988079, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.370, 368940184010030, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.370, 368940184031501, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.370, 368940184053131, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.372, 368940186049230, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.373, 368940186156371, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"[xUnit.net 00:00:00.42] Finished: DecentDB.Tests"}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.373, 368940186277218, vstest.console.dll, TestRunRequest:SendTestRunMessage: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.373, 368940186354042, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.LogMessages: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.TestRunResultAggregator., took 0 ms.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.373, 368940186377316, vstest.console.dll, TestRunRequest:SendTestRunMessage: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.373, 368940186394098, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.373, 368940186411831, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523 after 2 ms
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.373, 368940186596087, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestRunMessage: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.387, 368940200243245, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.387, 368940200519944, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.Completed","Payload":{"TestRunCompleteArgs":{"TestRunStatistics":{"ExecutedTests":301,"Stats":{"Passed":301}},"IsCanceled":false,"IsAborted":false,"Error":null,"AttachmentSets":[],"InvokedDataCollectors":[],"ElapsedTimeInRunningTests":"00:00:00.4378903","Metrics":{},"DiscoveredExtensions":{"TestDiscoverers":["Xunit.Runner.VisualStudio.VsTestRunner, xunit.runner.visualstudio.testadapter, Version=3.1.5.0, Culture=neutral, PublicKeyToken=null"],"TestExecutors":["executor://xunit/VsTestRunner3/netcore/"],"TestExecutors2":[],"TestSettingsProviders":[]}},"LastRunTests":{"NewTestResults":[{"TestCase":{"Id":"dda250f5-6f34-c920-bd39-478a494d9809","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e6b7c7d89c5801c9c2292b3a3bbe64cbdf7d1dca"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_CapturedVariable"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026508","StartTime":"2026-02-08T20:24:20.3691037+00:00","EndTime":"2026-02-08T20:24:20.3691968+00:00","Properties":[]},{"TestCase":{"Id":"b2163b8c-c1f9-e426-d7ee-8d48f22cdb9d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.SqlEvents_CaptureCommandText","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.SqlEvents_CaptureCommandText","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e71049556da2d336bd6bdd608c22d1d5e5562af5"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SqlEvents_CaptureCommandText"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.SqlEvents_CaptureCommandText","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016474","StartTime":"2026-02-08T20:24:20.3694668+00:00","EndTime":"2026-02-08T20:24:20.3695566+00:00","Properties":[]},{"TestCase":{"Id":"1d1177e2-6c5d-e7f8-5e69-75f0d79fd3d6","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_EndsWith","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_EndsWith","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f030b489a52eb5019bafce332cfd18213964e609"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_EndsWith"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_EndsWith","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020836","StartTime":"2026-02-08T20:24:20.369782+00:00","EndTime":"2026-02-08T20:24:20.3698637+00:00","Properties":[]},{"TestCase":{"Id":"e6d1f660-25aa-258a-0fd1-7f0679d07621","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.DerivedContext_CrudThroughProperty","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DerivedContext_CrudThroughProperty","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f2cd312b351537a43b2a980203da23bc82f57312"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DerivedContext_CrudThroughProperty"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DerivedContext_CrudThroughProperty","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023938","StartTime":"2026-02-08T20:24:20.3700819+00:00","EndTime":"2026-02-08T20:24:20.3701442+00:00","Properties":[]},{"TestCase":{"Id":"4ef3793f-9d68-19fb-ef50-0123a4dbf9da","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Skip_BeyondData_ReturnsEmpty","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Skip_BeyondData_ReturnsEmpty","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f4b854a61b638186cf308f11e120a3d46016db00"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Skip_BeyondData_ReturnsEmpty"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Skip_BeyondData_ReturnsEmpty","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016709","StartTime":"2026-02-08T20:24:20.3704441+00:00","EndTime":"2026-02-08T20:24:20.3705149+00:00","Properties":[]},{"TestCase":{"Id":"8eba0ed4-027f-6806-e676-8b442fe923b2","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenByDescending_MultiColumnSort","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenByDescending_MultiColumnSort","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f9f06fcb670cf8f48dd5e3afb64c4657bd6b83cc"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ThenByDescending_MultiColumnSort"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenByDescending_MultiColumnSort","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019598","StartTime":"2026-02-08T20:24:20.3706924+00:00","EndTime":"2026-02-08T20:24:20.3707555+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":301,"Stats":{"Passed":301}},"ActiveTests":[]},"RunAttachments":[],"ExecutorUris":["executor://xunit/VsTestRunner3/netcore/"]}}
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.387, 368940200651241, vstest.console.dll, TestRequestSender.EndSession: Sending end session.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.387, 368940200780814, vstest.console.dll, ProxyOperationManager.Close: waiting for test host to exit for 100 ms
-TpTrace Warning: 0 : 1682867, 5, 2026/02/08, 14:24:20.404, 368940217170121, vstest.console.dll, TestHostManagerCallbacks.ErrorReceivedCallback Test host standard error line:
-TpTrace Verbose: 0 : 1682867, 9, 2026/02/08, 14:24:20.404, 368940217202672, vstest.console.dll, TestHostManagerCallbacks.StandardOutputReceivedCallback Test host standard output line:
-TpTrace Verbose: 0 : 1682867, 12, 2026/02/08, 14:24:20.405, 368940218812345, vstest.console.dll, TestHostProvider.ExitCallBack: Host exited starting callback.
-TpTrace Information: 0 : 1682867, 12, 2026/02/08, 14:24:20.405, 368940218876125, vstest.console.dll, TestHostManagerCallbacks.ExitCallBack: Testhost processId: 1682879 exited with exitcode: 0 error: ''
-TpTrace Verbose: 0 : 1682867, 12, 2026/02/08, 14:24:20.405, 368940218903386, vstest.console.dll, DotnetTestHostManager.OnHostExited: invoking OnHostExited callback
-TpTrace Verbose: 0 : 1682867, 12, 2026/02/08, 14:24:20.405, 368940218947850, vstest.console.dll, CrossPlatEngine.TestHostManagerHostExited: calling on client process exit callback.
-TpTrace Information: 0 : 1682867, 12, 2026/02/08, 14:24:20.405, 368940218982535, vstest.console.dll, TestRequestSender.OnClientProcessExit: Test host process exited. Standard error:
-TpTrace Information: 0 : 1682867, 12, 2026/02/08, 14:24:20.405, 368940219004907, vstest.console.dll, SocketServer.Stop: Stop server endPoint: 127.0.0.1:45523
-TpTrace Information: 0 : 1682867, 12, 2026/02/08, 14:24:20.405, 368940219017040, vstest.console.dll, SocketServer.Stop: Cancellation requested. Stopping message loop.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.405, 368940219020817, vstest.console.dll, SocketServer.Stop: Stop server endPoint: 127.0.0.1:45523
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.405, 368940219050783, vstest.console.dll, SocketServer.Stop: Cancellation requested. Stopping message loop.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.405, 368940219072804, vstest.console.dll, Closing the connection
-TpTrace Verbose: 0 : 1682867, 12, 2026/02/08, 14:24:20.405, 368940219072273, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: HostProviderEvents.OnHostExited: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Client.ProxyOperationManager., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.419, 368940232633579, vstest.console.dll, ParallelRunEventsHandler.HandleTestRunComplete: Handling a run completion, this can be either one part of parallel run completing, or the whole parallel run completing.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.432, 368940245371941, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.432, 368940245459204, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.432, 368940245475054, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.432, 368940245493288, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.432, 368940245538634, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.432, 368940245566135, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.432, 368940245591072, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.432, 368940245615788, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.432, 368940245641597, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.432, 368940245730614, vstest.console.dll, ParallelProxyExecutionManager: HandlePartialRunComplete: Total workloads = 1, Total started clients = 1 Total completed clients = 1, Run complete = True, Run canceled: False.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.432, 368940245755601, vstest.console.dll, ParallelProxyExecutionManager: HandlePartialRunComplete: All runs completed stopping all managers.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.432, 368940245775007, vstest.console.dll, ParallelOperationManager.StopAllManagers: Stopping all managers.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.432, 368940245790687, vstest.console.dll, ParallelOperationManager.ClearSlots: Clearing all slots. Slots should accept more work: False
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.432, 368940245809342, vstest.console.dll, ParallelOperationManager.SetOccupiedSlotCount: Setting slot counts AvailableSlotCount = 1, OccupiedSlotCount = 0.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.432, 368940245826464, vstest.console.dll, Occupied slots:
-
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.432, 368940245838296, vstest.console.dll, ParallelRunEventsHandler.HandleTestRunComplete: Whole parallel run completed.
-TpTrace Verbose: 0 : 1682867, 4, 2026/02/08, 14:24:20.450, 368940263752337, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestRunComplete: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 12 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.450, 368940264092977, vstest.console.dll, TestRunRequest:TestRunComplete: Starting. IsAborted:False IsCanceled:False.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.451, 368940264235785, vstest.console.dll, ParallelOperationManager.DoActionOnAllManagers: Calling an action on all managers.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.452, 368940265785474, vstest.console.dll, TestLoggerManager.HandleTestRunComplete: Ignoring as the object is disposed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.452, 368940266036626, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.TestRunComplete: Invoking callback 1/2 for Microsoft.VisualStudio.TestPlatform.CommandLine.TestRunResultAggregator., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.453, 368940266135151, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.TestRunComplete: Invoking callback 2/2 for Microsoft.VisualStudio.TestPlatform.CommandLine.Processors.RunTestsArgumentExecutor+TestRunRequestEventsRegistrar., took 0 ms.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.453, 368940266237413, vstest.console.dll, TestRunRequest:TestRunComplete: Completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.453, 368940266279061, vstest.console.dll, TestRequestSender.SetOperationComplete: Setting operation complete.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.453, 368940266301373, vstest.console.dll, SocketServer.Stop: Stop server endPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:20.453, 368940266303637, vstest.console.dll, TestRunRequest.Dispose: Starting.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.453, 368940266324366, vstest.console.dll, SocketServer.Stop: Cancellation requested. Stopping message loop.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:20.453, 368940266390881, vstest.console.dll, TestRunRequest.Dispose: Completed.
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:20.453, 368940266427971, vstest.console.dll, TestRequestManager.RunTests: run tests completed.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.453, 368940266426979, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 65 ms.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.453, 368940266509454, vstest.console.dll, SocketServer.PrivateStop: Stopping server endPoint: 127.0.0.1:45523 error:
-TpTrace Information: 0 : 1682867, 1, 2026/02/08, 14:24:20.453, 368940266549028, vstest.console.dll, RunTestsArgumentProcessor:Execute: Test run is completed.
-TpTrace Verbose: 0 : 1682867, 1, 2026/02/08, 14:24:20.453, 368940266708027, vstest.console.dll, Executor.Execute: Exiting with exit code of 0
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.453, 368940266795942, vstest.console.dll, LengthPrefixCommunicationChannel.Dispose: Dispose reader and writer.
-TpTrace Information: 0 : 1682867, 10, 2026/02/08, 14:24:20.453, 368940266867035, vstest.console.dll, SocketServer.Stop: Raise disconnected event endPoint: 127.0.0.1:45523 error:
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.453, 368940266935664, vstest.console.dll, TestRequestSender: OnTestRunAbort: Operation is already complete. Skip error message.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.453, 368940266971541, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: SocketServer: ClientDisconnected: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender., took 0 ms.
-TpTrace Verbose: 0 : 1682867, 10, 2026/02/08, 14:24:20.453, 368940266992982, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: exiting MessageLoopAsync remoteEndPoint: 127.0.0.1:58182 localEndPoint: 127.0.0.1:45523
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.072, 376297885913585, vstest.console.dll, Version: 18.0.1-dev Current process architecture: X64
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.075, 376297888205599, vstest.console.dll, Runtime location: /usr/share/dotnet/shared/Microsoft.NETCore.App/10.0.0
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.077, 376297891088233, vstest.console.dll, Using .Net Framework version:.NETCoreApp,Version=v10.0
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.078, 376297891183251, vstest.console.dll, ArtifactProcessingPostProcessModeProcessorExecutor.Initialize: ArtifactProcessingMode.Collect
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.078, 376297891262971, vstest.console.dll, TestSessionCorrelationIdProcessorModeProcessorExecutor.Initialize: TestSessionCorrelationId '1787349_0944b912-e410-4656-a588-00ba40176f12'
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.082, 376297895565550, vstest.console.dll, FilePatternParser: The given file /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll is a full path.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.085, 376297898860818, vstest.console.dll, TestPluginCache.DiscoverTestExtensions: finding test extensions in assemblies ends with: RuntimeProvider.dll TPluginInfo: Microsoft.VisualStudio.TestPlatform.Common.ExtensionFramework.Utilities.TestRuntimePluginInformation TExtension: Microsoft.VisualStudio.TestPlatform.ObjectModel.Host.ITestRuntimeProvider
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.086, 376297899130956, vstest.console.dll, TestPluginCache.GetExtensionPaths: Filtered extension paths:
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.086, 376297899185999, vstest.console.dll, TestPluginCache.GetExtensionPaths: Added default extension paths: /usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.Diagnostics.NETCore.Client.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.Extensions.BlameDataCollector.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.TestHostRuntimeProvider.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger.dll
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.086, 376297899217779, vstest.console.dll, TestPluginCache.GetExtensionPaths: Added unfilterableExtensionPaths:
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.086, 376297899583035, vstest.console.dll, AssemblyResolver.ctor: Creating AssemblyResolver with searchDirectories /usr/share/dotnet/sdk/10.0.100/Extensions,/usr/share/dotnet/sdk/10.0.100
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.087, 376297900252913, vstest.console.dll, TestPluginCache.DiscoverTestExtensions: Discovering the extensions using extension path.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.087, 376297900334055, vstest.console.dll, TestPluginCache.GetExtensionPaths: Filtered extension paths:
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.087, 376297900359824, vstest.console.dll, TestPluginCache.GetExtensionPaths: Added default extension paths: /usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.Diagnostics.NETCore.Client.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.Extensions.BlameDataCollector.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.TestHostRuntimeProvider.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger.dll
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.087, 376297900380282, vstest.console.dll, TestPluginCache.GetExtensionPaths: Added unfilterableExtensionPaths:
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.087, 376297900436227, vstest.console.dll, TestPluginCache.DiscoverTestExtensions: Discovering the extensions using allExtensionPaths: /usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.Diagnostics.NETCore.Client.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.Extensions.BlameDataCollector.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.TestHostRuntimeProvider.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger.dll
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.087, 376297900503013, vstest.console.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /usr/share/dotnet/sdk/10.0.100/Extensions,/usr/share/dotnet/sdk/10.0.100
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.087, 376297900542407, vstest.console.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /usr/share/dotnet/sdk/10.0.100/Extensions,/usr/share/dotnet/sdk/10.0.100
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.087, 376297900562895, vstest.console.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /usr/share/dotnet/sdk/10.0.100/Extensions,/usr/share/dotnet/sdk/10.0.100
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.087, 376297900580007, vstest.console.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /usr/share/dotnet/sdk/10.0.100/Extensions,/usr/share/dotnet/sdk/10.0.100
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.087, 376297900596698, vstest.console.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /usr/share/dotnet/sdk/10.0.100/Extensions,/usr/share/dotnet/sdk/10.0.100
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.087, 376297900952767, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Diagnostics.NETCore.Client: Resolving assembly.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.087, 376297901002040, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Diagnostics.NETCore.Client: Searching in: '/usr/share/dotnet/sdk/10.0.100/Extensions'.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.093, 376297906702816, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Diagnostics.NETCore.Client: Loading assembly '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.Diagnostics.NETCore.Client.dll'.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.093, 376297906909594, vstest.console.dll, AssemblyResolver.OnResolve: Resolved assembly: Microsoft.Diagnostics.NETCore.Client, from path: /usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.Diagnostics.NETCore.Client.dll
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.094, 376297907616983, vstest.console.dll, MetadataReaderExtensionsHelper: Discovering extensions inside assembly 'Microsoft.Diagnostics.NETCore.Client, Version=0.2.13.10501, Culture=neutral, PublicKeyToken=31bf3856ad364e35' file path '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.Diagnostics.NETCore.Client.dll'
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.095, 376297909033954, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Resolving assembly.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.095, 376297909082996, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Searching in: '/usr/share/dotnet/sdk/10.0.100/Extensions'.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.095, 376297909106610, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Assembly path does not exist: '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.Bcl.AsyncInterfaces.dll', returning.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.095, 376297909125115, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Assembly path does not exist: '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.Bcl.AsyncInterfaces.exe', returning.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.096, 376297909154771, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Searching in: '/usr/share/dotnet/sdk/10.0.100'.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.096, 376297909173095, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Assembly path does not exist: '/usr/share/dotnet/sdk/10.0.100/Microsoft.Bcl.AsyncInterfaces.dll', returning.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.096, 376297909190568, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Assembly path does not exist: '/usr/share/dotnet/sdk/10.0.100/Microsoft.Bcl.AsyncInterfaces.exe', returning.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.096, 376297909204614, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Failed to load assembly.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.096, 376297909227207, vstest.console.dll, CurrentDomainAssemblyResolve: Resolving assembly 'Microsoft.Bcl.AsyncInterfaces'.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.096, 376297909265959, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Resolving assembly.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.096, 376297909288592, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Resolved from cache.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.096, 376297909305003, vstest.console.dll, CurrentDomainAssemblyResolve: Resolving assembly 'Microsoft.Bcl.AsyncInterfaces'.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.096, 376297909325141, vstest.console.dll, CurrentDomainAssemblyResolve: Failed to resolve assembly 'Microsoft.Bcl.AsyncInterfaces'.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.096, 376297909498536, vstest.console.dll, CurrentDomainAssemblyResolve: Failed to resolve assembly 'Microsoft.Bcl.AsyncInterfaces'.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.097, 376297910672651, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Resolving assembly.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.097, 376297910700644, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Resolved from cache.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.097, 376297910718097, vstest.console.dll, CurrentDomainAssemblyResolve: Resolving assembly 'Microsoft.Bcl.AsyncInterfaces'.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.097, 376297910733255, vstest.console.dll, CurrentDomainAssemblyResolve: Failed to resolve assembly 'Microsoft.Bcl.AsyncInterfaces'.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.098, 376297911266827, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Resolving assembly.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.098, 376297911293327, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Bcl.AsyncInterfaces: Resolved from cache.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.098, 376297911310519, vstest.console.dll, CurrentDomainAssemblyResolve: Resolving assembly 'Microsoft.Bcl.AsyncInterfaces'.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.098, 376297911325337, vstest.console.dll, CurrentDomainAssemblyResolve: Failed to resolve assembly 'Microsoft.Bcl.AsyncInterfaces'.
-TpTrace Warning: 0 : 1787404, 1, 2026/02/08, 16:26:58.106, 376297919464573, vstest.console.dll, TestPluginDiscoverer: Failed to get types from assembly 'Microsoft.Diagnostics.NETCore.Client, Version=0.2.13.10501, Culture=neutral, PublicKeyToken=31bf3856ad364e35'. Error: System.Reflection.ReflectionTypeLoadException: Unable to load one or more of the requested types.
-Could not load file or assembly 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'. The system cannot find the file specified.
-
-Could not load file or assembly 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'. The system cannot find the file specified.
-
-Could not load file or assembly 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'. The system cannot find the file specified.
-
- at System.Reflection.RuntimeModule.GetDefinedTypes()
- at System.Reflection.RuntimeModule.GetTypes()
- at Microsoft.VisualStudio.TestPlatform.Common.ExtensionFramework.TestPluginDiscoverer.GetTestExtensionsFromAssembly[TPluginInfo,TExtension](Assembly assembly, Dictionary`2 pluginInfos, String filePath) in /_/src/vstest/src/Microsoft.TestPlatform.Common/ExtensionFramework/TestPluginDiscoverer.cs:line 159
-System.IO.FileNotFoundException: Could not load file or assembly 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'. The system cannot find the file specified.
-
-File name: 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'
- ---> System.IO.FileNotFoundException: Could not load file or assembly 'Microsoft.Bcl.AsyncInterfaces, Culture=neutral, PublicKeyToken=null'. The system cannot find the file specified.
-
-File name: 'Microsoft.Bcl.AsyncInterfaces, Culture=neutral, PublicKeyToken=null'
- at System.Reflection.RuntimeAssembly.InternalLoad(AssemblyName assemblyName, StackCrawlMark& stackMark, AssemblyLoadContext assemblyLoadContext, RuntimeAssembly requestingAssembly, Boolean throwOnFileNotFound)
- at System.Reflection.Assembly.Load(AssemblyName assemblyRef)
- at Microsoft.VisualStudio.TestPlatform.Common.ExtensionFramework.TestPluginCache.CurrentDomainAssemblyResolve(Object sender, AssemblyResolveEventArgs args) in /_/src/vstest/src/Microsoft.TestPlatform.Common/ExtensionFramework/TestPluginCache.cs:line 514
- at System.Runtime.Loader.AssemblyLoadContext.GetFirstResolvedAssemblyFromResolvingEvent(AssemblyName assemblyName)
- at System.Runtime.Loader.AssemblyLoadContext.ResolveUsingEvent(AssemblyName assemblyName)
-System.IO.FileNotFoundException: Could not load file or assembly 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'. The system cannot find the file specified.
-
-File name: 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'
-System.IO.FileNotFoundException: Could not load file or assembly 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'. The system cannot find the file specified.
-
-File name: 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'
-TpTrace Warning: 0 : 1787404, 1, 2026/02/08, 16:26:58.106, 376297919768594, vstest.console.dll, LoaderExceptions: System.IO.FileNotFoundException: Could not load file or assembly 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'. The system cannot find the file specified.
-
-File name: 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'
- ---> System.IO.FileNotFoundException: Could not load file or assembly 'Microsoft.Bcl.AsyncInterfaces, Culture=neutral, PublicKeyToken=null'. The system cannot find the file specified.
-
-File name: 'Microsoft.Bcl.AsyncInterfaces, Culture=neutral, PublicKeyToken=null'
- at System.Reflection.RuntimeAssembly.InternalLoad(AssemblyName assemblyName, StackCrawlMark& stackMark, AssemblyLoadContext assemblyLoadContext, RuntimeAssembly requestingAssembly, Boolean throwOnFileNotFound)
- at System.Reflection.Assembly.Load(AssemblyName assemblyRef)
- at Microsoft.VisualStudio.TestPlatform.Common.ExtensionFramework.TestPluginCache.CurrentDomainAssemblyResolve(Object sender, AssemblyResolveEventArgs args) in /_/src/vstest/src/Microsoft.TestPlatform.Common/ExtensionFramework/TestPluginCache.cs:line 514
- at System.Runtime.Loader.AssemblyLoadContext.GetFirstResolvedAssemblyFromResolvingEvent(AssemblyName assemblyName)
- at System.Runtime.Loader.AssemblyLoadContext.ResolveUsingEvent(AssemblyName assemblyName)
-TpTrace Warning: 0 : 1787404, 1, 2026/02/08, 16:26:58.106, 376297919815802, vstest.console.dll, LoaderExceptions: System.IO.FileNotFoundException: Could not load file or assembly 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'. The system cannot find the file specified.
-
-File name: 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'
-TpTrace Warning: 0 : 1787404, 1, 2026/02/08, 16:26:58.106, 376297919841150, vstest.console.dll, LoaderExceptions: System.IO.FileNotFoundException: Could not load file or assembly 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'. The system cannot find the file specified.
-
-File name: 'Microsoft.Bcl.AsyncInterfaces, Version=9.0.0.8, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51'
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.106, 376297919951918, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.TestPlatform.Extensions.BlameDataCollector: Resolving assembly.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.106, 376297919977145, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.TestPlatform.Extensions.BlameDataCollector: Searching in: '/usr/share/dotnet/sdk/10.0.100/Extensions'.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.106, 376297920112179, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.TestPlatform.Extensions.BlameDataCollector: Loading assembly '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.Extensions.BlameDataCollector.dll'.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.107, 376297920281106, vstest.console.dll, AssemblyResolver.OnResolve: Resolved assembly: Microsoft.TestPlatform.Extensions.BlameDataCollector, from path: /usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.Extensions.BlameDataCollector.dll
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.107, 376297920332903, vstest.console.dll, MetadataReaderExtensionsHelper: Discovering extensions inside assembly 'Microsoft.TestPlatform.Extensions.BlameDataCollector, Version=15.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a' file path '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.Extensions.BlameDataCollector.dll'
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.107, 376297921087631, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.TestPlatform.TestHostRuntimeProvider: Resolving assembly.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.107, 376297921117006, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.TestPlatform.TestHostRuntimeProvider: Searching in: '/usr/share/dotnet/sdk/10.0.100/Extensions'.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.108, 376297921215110, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.TestPlatform.TestHostRuntimeProvider: Loading assembly '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.TestHostRuntimeProvider.dll'.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.108, 376297921361615, vstest.console.dll, AssemblyResolver.OnResolve: Resolved assembly: Microsoft.TestPlatform.TestHostRuntimeProvider, from path: /usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.TestHostRuntimeProvider.dll
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.108, 376297921397523, vstest.console.dll, MetadataReaderExtensionsHelper: Discovering extensions inside assembly 'Microsoft.TestPlatform.TestHostRuntimeProvider, Version=15.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a' file path '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.TestHostRuntimeProvider.dll'
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.109, 376297922195812, vstest.console.dll, GetTestExtensionFromType: Register extension with identifier data 'HostProvider://DefaultTestHost' and type 'Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Hosting.DefaultTestHostManager, Microsoft.TestPlatform.TestHostRuntimeProvider, Version=15.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a' inside file '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.TestHostRuntimeProvider.dll'
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.109, 376297922418240, vstest.console.dll, GetTestExtensionFromType: Register extension with identifier data 'HostProvider://DotnetTestHost' and type 'Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Hosting.DotnetTestHostManager, Microsoft.TestPlatform.TestHostRuntimeProvider, Version=15.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a' inside file '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.TestHostRuntimeProvider.dll'
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.109, 376297922470518, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger: Resolving assembly.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.109, 376297922491157, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger: Searching in: '/usr/share/dotnet/sdk/10.0.100/Extensions'.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.109, 376297922586155, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger: Loading assembly '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger.dll'.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.109, 376297922749452, vstest.console.dll, AssemblyResolver.OnResolve: Resolved assembly: Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger, from path: /usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger.dll
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.109, 376297922795428, vstest.console.dll, MetadataReaderExtensionsHelper: Discovering extensions inside assembly 'Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger, Version=15.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a' file path '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger.dll'
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.110, 376297923135286, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger: Resolving assembly.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.110, 376297923164191, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger: Searching in: '/usr/share/dotnet/sdk/10.0.100/Extensions'.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.110, 376297923264930, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger: Loading assembly '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger.dll'.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.110, 376297923413599, vstest.console.dll, AssemblyResolver.OnResolve: Resolved assembly: Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger, from path: /usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger.dll
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.110, 376297923449056, vstest.console.dll, MetadataReaderExtensionsHelper: Discovering extensions inside assembly 'Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger, Version=15.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a' file path '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger.dll'
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.110, 376297923926162, vstest.console.dll, TestPluginCache: Discovered the extensions using extension path ''.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.110, 376297923963742, vstest.console.dll, TestPluginCache: Discoverers are ''.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.110, 376297923993308, vstest.console.dll, TestPluginCache: Executors are ''.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.110, 376297924008647, vstest.console.dll, TestPluginCache: Executors2 are ''.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.110, 376297924022402, vstest.console.dll, TestPluginCache: Setting providers are ''.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.110, 376297924036619, vstest.console.dll, TestPluginCache: Loggers are ''.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.111, 376297924168918, vstest.console.dll, TestPluginCache: TestHosts are 'HostProvider://DefaultTestHost,HostProvider://DotnetTestHost'.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.111, 376297924191831, vstest.console.dll, TestPluginCache: DataCollectors are ''.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.120, 376297934004739, vstest.console.dll, RunTestsArgumentProcessor:Execute: Test run is starting.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.120, 376297934086182, vstest.console.dll, RunTestsArgumentProcessor:Execute: Queuing Test run.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.121, 376297934257294, vstest.console.dll, TestRequestManager.RunTests: run tests started.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.122, 376297935163055, vstest.console.dll, AssemblyMetadataProvider.GetFrameworkName: Determined framework:'.NETCoreApp,Version=v10.0' for source: '/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll'
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.122, 376297935265337, vstest.console.dll, Determined framework for all sources: .NETCoreApp,Version=v10.0
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.124, 376297937399385, vstest.console.dll, TestRequestManager.UpdateRunSettingsIfRequired: Default architecture: X64 IsDefaultTargetArchitecture: True, Current process architecture: X64 OperatingSystem: Unix.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.125, 376297938603195, vstest.console.dll, AssemblyMetadataProvider.GetArchitecture: Determined architecture:AnyCPU info for assembly: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.125, 376297938635396, vstest.console.dll, Determined platform for source '/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll' was AnyCPU and it will use the default plaform X64.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.125, 376297938653640, vstest.console.dll, None of the sources provided any runnable platform, using the default platform: X64
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.125, 376297938747156, vstest.console.dll, Platform was updated to 'X64'.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.127, 376297940327654, vstest.console.dll, Compatible sources list:
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.127, 376297940375945, vstest.console.dll, /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.129, 376297942266114, vstest.console.dll, InferRunSettingsHelper.IsTestSettingsEnabled: Unable to navigate to RunSettings/MSTest. Current node: RunSettings
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.129, 376297942703866, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Fakes: Resolving assembly.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.129, 376297942737409, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Fakes: Searching in: '/usr/share/dotnet/sdk/10.0.100/Extensions'.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.129, 376297942764250, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Fakes: Assembly path does not exist: '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Fakes.dll', returning.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.129, 376297942799215, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Fakes: Assembly path does not exist: '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Fakes.exe', returning.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.129, 376297942815506, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Fakes: Searching in: '/usr/share/dotnet/sdk/10.0.100'.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.129, 376297942833309, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Fakes: Assembly path does not exist: '/usr/share/dotnet/sdk/10.0.100/Microsoft.VisualStudio.TestPlatform.Fakes.dll', returning.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.129, 376297942851133, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Fakes: Assembly path does not exist: '/usr/share/dotnet/sdk/10.0.100/Microsoft.VisualStudio.TestPlatform.Fakes.exe', returning.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.129, 376297942872152, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.VisualStudio.TestPlatform.Fakes: Failed to load assembly.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.129, 376297943035349, vstest.console.dll, Failed to load assembly Microsoft.VisualStudio.TestPlatform.Fakes, Version=18.0.0.0, Culture=neutral. Reason:System.IO.FileNotFoundException: Could not load file or assembly 'Microsoft.VisualStudio.TestPlatform.Fakes, Version=18.0.0.0, Culture=neutral, PublicKeyToken=null'. The system cannot find the file specified.
-
-File name: 'Microsoft.VisualStudio.TestPlatform.Fakes, Version=18.0.0.0, Culture=neutral, PublicKeyToken=null'
- at System.Reflection.RuntimeAssembly.InternalLoad(AssemblyName assemblyName, StackCrawlMark& stackMark, AssemblyLoadContext assemblyLoadContext, RuntimeAssembly requestingAssembly, Boolean throwOnFileNotFound)
- at System.Reflection.Assembly.Load(AssemblyName assemblyRef)
- at Microsoft.VisualStudio.TestPlatform.Common.Utilities.FakesUtilities.LoadTestPlatformAssembly() in /_/src/vstest/src/Microsoft.TestPlatform.Common/Utilities/FakesUtilities.cs:line 200
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.133, 376297946673209, vstest.console.dll, TestEngine: Initializing Parallel Execution as MaxCpuCount is set to: 1
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.134, 376297947521773, vstest.console.dll, TestPluginManager.CreateTestExtension: Attempting to load test extension: Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Hosting.DefaultTestHostManager
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.134, 376297947699136, vstest.console.dll, TestPluginManager.CreateTestExtension: Attempting to load test extension: Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Hosting.DotnetTestHostManager
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.134, 376297947852073, vstest.console.dll, TestHostManagerCallbacks.ctor: Forwarding output is enabled.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.135, 376297948153249, vstest.console.dll, InferRunSettingsHelper.IsTestSettingsEnabled: Unable to navigate to RunSettings/MSTest. Current node: RunSettings
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.136, 376297949679275, vstest.console.dll, ParallelOperationManager.ClearSlots: Clearing all slots. Slots should accept more work: True
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.138, 376297951535120, vstest.console.dll, ParallelOperationManager.SetOccupiedSlotCount: Setting slot counts AvailableSlotCount = 1, OccupiedSlotCount = 0.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.138, 376297951844351, vstest.console.dll, Occupied slots:
-
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.142, 376297955145611, vstest.console.dll, TestEngine.GetExecutionManager: Chosen execution manager 'Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Client.Parallel.ParallelProxyExecutionManager, Microsoft.TestPlatform.CrossPlatEngine, Version=15.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a' ParallelLevel '1'.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.142, 376297955290383, vstest.console.dll, TestPlatform.GetSkipDefaultAdapters: Not skipping default adapters SkipDefaultAdapters was false.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.142, 376297955376615, vstest.console.dll, TestRunRequest.ExecuteAsync: Creating test run request.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.142, 376297955757881, vstest.console.dll, TestRunRequest.ExecuteAsync: Starting.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.143, 376297956419163, vstest.console.dll, TestRunRequest.ExecuteAsync: Starting run with settings:TestRunCriteria:
- KeepAlive=False,FrequencyOfRunStatsChangeEvent=10,RunStatsChangeEventTimeout=00:00:01.5000000,TestCaseFilter=,TestExecutorLauncher=
- Settingsxml=
-
- /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/TestResults
- X64
- .NETCoreApp,Version=v10.0
- False
- False
-
-
-
-
-
- minimal
-
-
-
-
-
-
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.143, 376297956449419, vstest.console.dll, TestRunRequest.ExecuteAsync: Wait for the first run request is over.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.143, 376297956620411, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.TestRunStart: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.144, 376297957564323, vstest.console.dll, ParallelProxyExecutionManager: Start execution. Total sources: 1
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.144, 376297957819282, vstest.console.dll, ParallelOperationManager.StartWork: Starting adding 1 workloads.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.144, 376297957887230, vstest.console.dll, ParallelOperationManager.ClearSlots: Clearing all slots. Slots should accept more work: True
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.144, 376297957948304, vstest.console.dll, ParallelOperationManager.SetOccupiedSlotCount: Setting slot counts AvailableSlotCount = 1, OccupiedSlotCount = 0.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.144, 376297957971979, vstest.console.dll, Occupied slots:
-
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.145, 376297958885054, vstest.console.dll, TestHostManagerCallbacks.ctor: Forwarding output is enabled.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.145, 376297959054271, vstest.console.dll, TestRequestSender is acting as server.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.146, 376297959239129, vstest.console.dll, ParallelOperationManager.RunWorkInParallel: Adding 1 workload to slot, remaining workloads 0.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.146, 376297959276158, vstest.console.dll, ParallelOperationManager.SetOccupiedSlotCount: Setting slot counts AvailableSlotCount = 0, OccupiedSlotCount = 1.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.146, 376297959349095, vstest.console.dll, Occupied slots:
-0: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.147, 376297960386103, vstest.console.dll, ParallelOperationManager.RunWorkInParallel: Started host in slot number 0 for work (source): /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll.
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.148, 376297961257349, vstest.console.dll, ParallelProxyExecutionManager.StartTestRunOnConcurrentManager: Initializing uninitialized client. Started clients: 0
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.148, 376297961356375, vstest.console.dll, ParallelProxyExecutionManager.StartTestRunOnConcurrentManager: Initializing test run. Started clients: 0
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.148, 376297961372665, vstest.console.dll, ParallelOperationManager.RunWorkInParallel: We started 1 work items, which is the max parallel level. Won't start more work.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.148, 376297961414153, vstest.console.dll, ParallelOperationManager.RunWorkInParallel: We started 1 work items in here, returning True.
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.148, 376297961434942, vstest.console.dll, ProxyExecutionManager: Test host is always Lazy initialize.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:58.148, 376297961446013, vstest.console.dll, TestRunRequest.ExecuteAsync: Started.
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.148, 376297961639757, vstest.console.dll, TestRequestSender.InitializeCommunication: initialize communication.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:58.148, 376297961944429, vstest.console.dll, TestRunRequest.WaitForCompletion: Waiting with timeout -1.
-TpTrace Information: 0 : 1787404, 5, 2026/02/08, 16:26:58.161, 376297974715874, vstest.console.dll, SocketServer.Start: Listening on endpoint : 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.165, 376297978680370, vstest.console.dll, DotnetTestHostmanager.GetTestHostProcessStartInfo: Platform environment 'X64' target architecture 'X64' framework '.NETCoreApp,Version=v10.0' OS 'Unix'
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.165, 376297978802449, vstest.console.dll, DotnetTestHostmanager.LaunchTestHostAsync: VSTEST_DOTNET_ROOT_PATH=/usr/share/dotnet
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.165, 376297978828768, vstest.console.dll, DotnetTestHostmanager.LaunchTestHostAsync: VSTEST_DOTNET_ROOT_ARCHITECTURE=X64
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.165, 376297978897838, vstest.console.dll, DotnetTestHostManager.SetDotnetRootForArchitecture: Adding DOTNET_ROOT_X64=/usr/share/dotnet to testhost start info.
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.165, 376297979005711, vstest.console.dll, DotnetTestHostmanager: Adding --runtimeconfig "/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.runtimeconfig.json" in args
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.165, 376297979034134, vstest.console.dll, DotnetTestHostmanager: Adding --depsfile "/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.deps.json" in args
-TpTrace Information: 0 : 1787404, 5, 2026/02/08, 16:26:58.165, 376297979112541, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Extensions.DependencyModel: Resolving assembly.
-TpTrace Information: 0 : 1787404, 5, 2026/02/08, 16:26:58.166, 376297979135995, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Extensions.DependencyModel: Searching in: '/usr/share/dotnet/sdk/10.0.100/Extensions'.
-TpTrace Information: 0 : 1787404, 5, 2026/02/08, 16:26:58.166, 376297979170740, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Extensions.DependencyModel: Assembly path does not exist: '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.Extensions.DependencyModel.dll', returning.
-TpTrace Information: 0 : 1787404, 5, 2026/02/08, 16:26:58.166, 376297979188394, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Extensions.DependencyModel: Assembly path does not exist: '/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.Extensions.DependencyModel.exe', returning.
-TpTrace Information: 0 : 1787404, 5, 2026/02/08, 16:26:58.166, 376297979209734, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Extensions.DependencyModel: Searching in: '/usr/share/dotnet/sdk/10.0.100'.
-TpTrace Information: 0 : 1787404, 5, 2026/02/08, 16:26:58.166, 376297979328517, vstest.console.dll, AssemblyResolver.OnResolve: Microsoft.Extensions.DependencyModel: Loading assembly '/usr/share/dotnet/sdk/10.0.100/Microsoft.Extensions.DependencyModel.dll'.
-TpTrace Information: 0 : 1787404, 5, 2026/02/08, 16:26:58.166, 376297979522802, vstest.console.dll, AssemblyResolver.OnResolve: Resolved assembly: Microsoft.Extensions.DependencyModel, from path: /usr/share/dotnet/sdk/10.0.100/Microsoft.Extensions.DependencyModel.dll
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.166, 376297979806555, vstest.console.dll, DotnetTestHostmanager: Runtimeconfig.dev.json /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.runtimeconfig.dev.json does not exist.
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.166, 376297979835469, vstest.console.dll, DotnetTestHostManager: Found testhost.dll in source directory: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/testhost.dll.
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.166, 376297979860336, vstest.console.dll, DotnetTestHostmanager: Current process architetcure 'X64'
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.168, 376297981143846, vstest.console.dll, DotnetTestHostmanager.LaunchTestHostAsync: Compatible muxer architecture of running process 'X64' and target architecture 'X64'
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.168, 376297981179523, vstest.console.dll, DotnetTestHostmanager: Full path of testhost.dll is /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/testhost.dll
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.168, 376297981200643, vstest.console.dll, DotnetTestHostmanager: Full path of host exe is /usr/share/dotnet/dotnet
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.169, 376297982134466, vstest.console.dll, DotnetTestHostManager: Starting process '0' with command line '1' and DOTNET environment: DOTNET_ROOT_X64=/usr/share/dotnet
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.172, 376297985860774, vstest.console.dll, Test Runtime launched
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.172, 376297986004084, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: HostProviderEvents.OnHostLaunched: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Client.ProxyOperationManager., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.173, 376297986241860, vstest.console.dll, TestRequestSender.WaitForRequestHandlerConnection: waiting for connection with timeout: 90000.
-TpTrace Verbose: 0 : 1787404, 10, 2026/02/08, 16:26:58.294, 376298107361110, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: SocketServer: ClientConnected: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.294, 376298107385626, vstest.console.dll, TestRequestSender.WaitForRequestHandlerConnection: waiting took 121 ms, with timeout 90000 ms, and result 0, which is success.
-TpTrace Verbose: 0 : 1787404, 10, 2026/02/08, 16:26:58.294, 376298107447542, vstest.console.dll, SocketServer.OnClientConnected: Client connected for endPoint: 127.0.0.1:41437, starting MessageLoopAsync:
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.294, 376298107884553, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 0 ms
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.322, 376298135994364, vstest.console.dll, TestRequestSender.CheckVersionWithTestHost: Sending check version message: {"MessageType":"ProtocolVersion","Payload":7}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.404, 376298217823677, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.405, 376298218226474, vstest.console.dll, TestRequestSender.CheckVersionWithTestHost: onMessageReceived received message: (ProtocolVersion) -> {"MessageType":"ProtocolVersion","Payload":7}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.408, 376298221737738, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass29_0., took 3 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.408, 376298221843837, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 113 ms
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.408, 376298221860318, vstest.console.dll, TestPluginCache.GetExtensionPaths: Filtered extension paths:
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.408, 376298221876489, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.408, 376298221912987, vstest.console.dll, TestPluginCache.GetExtensionPaths: Added default extension paths: /usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.Diagnostics.NETCore.Client.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.Extensions.BlameDataCollector.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.TestPlatform.TestHostRuntimeProvider.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Html.TestLogger.dll
-/usr/share/dotnet/sdk/10.0.100/Extensions/Microsoft.VisualStudio.TestPlatform.Extensions.Trx.TestLogger.dll
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.408, 376298221937143, vstest.console.dll, TestPluginCache.GetExtensionPaths: Added unfilterableExtensionPaths:
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.413, 376298226306749, vstest.console.dll, TestRequestSender.InitializeExecution: Sending initialize execution with message: {"Version":7,"MessageType":"TestExecution.Initialize","Payload":["/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll"]}
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.413, 376298226485034, vstest.console.dll, ParallelProxyExecutionManager.StartTestRunOnConcurrentManager: Execution starting. Started clients: 1
-TpTrace Warning: 0 : 1787404, 5, 2026/02/08, 16:26:58.413, 376298226842054, vstest.console.dll, InferRunSettingsHelper.MakeRunsettingsCompatible: Removing the following settings: TargetPlatform from RunSettings file. To use those settings please move to latest version of Microsoft.NET.Test.Sdk
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.414, 376298227574550, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"Logging TestHost Diagnostics in file: /home/steven/source/decentdb/bindings/dotnet/v.host.26-02-08_16-26-58_16513_5"}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.417, 376298230693307, vstest.console.dll, TestRunRequest:SendTestRunMessage: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.417, 376298230880478, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.LogMessages: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.TestRunResultAggregator., took 0 ms.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.417, 376298230906107, vstest.console.dll, TestRunRequest:SendTestRunMessage: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.417, 376298230930773, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 3 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.417, 376298230960509, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 9 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.418, 376298231377562, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestRunMessage: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.423, 376298236590802, vstest.console.dll, TestRequestSender.StartTestRun: Sending test run with message: {"Version":7,"MessageType":"TestExecution.StartWithSources","Payload":{"AdapterSourceMap":{"_none_":["/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll"]},"RunSettings":"\n \n /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/TestResults\n .NETCoreApp,Version=v10.0\n False\n False\n \n \n \n \n \n minimal\n \n \n \n \n","TestExecutionContext":{"FrequencyOfRunStatsChangeEvent":10,"RunStatsChangeEventTimeout":"00:00:01.5000000","InIsolation":false,"KeepAlive":false,"AreTestCaseLevelEventsRequired":false,"IsDebug":false,"TestCaseFilter":null,"FilterOptions":null},"Package":null}}
-TpTrace Verbose: 0 : 1787404, 5, 2026/02/08, 16:26:58.423, 376298236729944, vstest.console.dll, ParallelProxyExecutionManager.StartTestRunOnConcurrentManager: Execution started. Started clients: 1
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.553, 376298366659499, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.553, 376298366802247, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"[xUnit.net 00:00:00.00] xUnit.net VSTest Adapter v3.1.5+1b188a7b0a (64-bit .NET 10.0.0)"}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.553, 376298367018594, vstest.console.dll, TestRunRequest:SendTestRunMessage: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.553, 376298367102581, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.LogMessages: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.TestRunResultAggregator., took 0 ms.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.554, 376298367140032, vstest.console.dll, TestRunRequest:SendTestRunMessage: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.554, 376298367194374, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.554, 376298367231934, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 136 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.554, 376298367277440, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestRunMessage: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.639, 376298452205064, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.639, 376298452329658, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"[xUnit.net 00:00:00.08] Discovering: DecentDB.Tests"}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.639, 376298452435737, vstest.console.dll, TestRunRequest:SendTestRunMessage: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.639, 376298452483787, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.LogMessages: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.TestRunResultAggregator., took 0 ms.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.639, 376298452514425, vstest.console.dll, TestRunRequest:SendTestRunMessage: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.639, 376298452537859, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.639, 376298452563156, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 85 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.639, 376298452562024, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestRunMessage: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.697, 376298510362552, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.697, 376298511122579, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"[xUnit.net 00:00:00.14] Discovered: DecentDB.Tests"}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.698, 376298511253074, vstest.console.dll, TestRunRequest:SendTestRunMessage: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.698, 376298511299141, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.LogMessages: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.TestRunResultAggregator., took 0 ms.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.698, 376298511320140, vstest.console.dll, TestRunRequest:SendTestRunMessage: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.698, 376298511346349, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.698, 376298511354785, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestRunMessage: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.698, 376298511369262, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 58 ms
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.734, 376298547509785, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.734, 376298547640410, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"[xUnit.net 00:00:00.18] Starting: DecentDB.Tests"}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.734, 376298547762089, vstest.console.dll, TestRunRequest:SendTestRunMessage: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.734, 376298547821821, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.LogMessages: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.TestRunResultAggregator., took 0 ms.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.734, 376298547850595, vstest.console.dll, TestRunRequest:SendTestRunMessage: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.734, 376298547872626, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.734, 376298547903955, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 36 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.734, 376298547926427, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestRunMessage: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.814, 376298627821098, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.815, 376298628215188, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[],"TestRunStatistics":{"ExecutedTests":0,"Stats":{}},"ActiveTests":[{"Id":"9da410e1-02c3-a7f2-b5f7-c6d0a62fb2af","FullyQualifiedName":"DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent","DisplayName":"DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestSqlExecutingEvent"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8e64ae06008876f5e95ae4595cdffbdc29e66bb5"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ObservabilityTests"}]},{"Id":"0d920d3f-54e6-2905-f377-142f1404058d","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.GuidParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.GuidParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GuidParameterBinding"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"01a5f0a3317e5466c242e67476b8e1266c179542"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"404f983d-a97c-36e9-fb05-84e8ea89a985","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Native_SetLibraryPath_WithInvalidPath_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"06f9f614cb783630d81f2848bfda8800f2a4b807"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"988e568b-674f-7344-d156-3bd2213c8ebc","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_CanExecuteSampleQueries"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23619543aa3f794620b7fdb323af2b2479f4c645"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"f04170a2-478f-2f83-d94f-fb1af8db0f8c","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.ColumnMetadata","DisplayName":"DecentDB.Tests.NativeLayerTests.ColumnMetadata","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ColumnMetadata"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"06f2fd2e6b8204d918eacd89fafcb34c03950fcc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"13bfed11-d8a3-c3f7-bb22-1a976bbc4d97","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds","DisplayName":"DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"33502a6142b40161db00180ef7bec8209e363b26"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},{"Id":"27473ec4-9ff3-dc09-c5d3-8264915b4891","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_WithDifferentEntityTypes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"04a26d50f2980c51dac96819fb7eadfa54cba0ec"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"d9444345-34d8-ae97-36b5-5e21b1c2159a","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindMultipleTypesInSingleStatement"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0b819ef1f1ef630994e60062bebeb06b862606fd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"580b490c-3a3e-9e41-4e87-029494003674","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase","DisplayName":"DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenAndCloseDatabase"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"093da95ac1791a1c84b554c4eabce1f0f89bc19b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},{"Id":"c9e374cd-dc7e-6d7a-406b-aef25231a306","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Handles_Pooling_Option_From_ConnectionString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2ed91cb9cfbed131380fa8648421bb3dda10d57e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.836, 376298649957110, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.836, 376298650079029, vstest.console.dll, InProgress is DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.836, 376298650108745, vstest.console.dll, InProgress is DecentDB.Tests.EdgeCaseTests.GuidParameterBinding
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.837, 376298650126768, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.837, 376298650142789, vstest.console.dll, InProgress is DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.837, 376298650160171, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.ColumnMetadata
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.837, 376298650175961, vstest.console.dll, InProgress is DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.837, 376298650193233, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.837, 376298650208111, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.837, 376298650226265, vstest.console.dll, InProgress is DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.837, 376298650238659, vstest.console.dll, InProgress is DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.837, 376298650319691, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.837, 376298650345229, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.837, 376298650362421, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 22 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.837, 376298650395022, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 102 ms
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.837, 376298650418667, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.837, 376298650630454, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[],"TestRunStatistics":{"ExecutedTests":0,"Stats":{}},"ActiveTests":[{"Id":"7d57e49c-bb58-e2e3-4627-88846ba06163","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ConnectionString_WhileOpen_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02d47efb85b0839d1893bfe623d60594d4f78180"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"eef85a2c-8dcf-89ea-5828-78e763cef34d","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperScalar","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperScalar","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperScalar"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"18c05465f695461bcaa8720adfd4db8911dca4bc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},{"Id":"0314bf26-828b-18e2-0966-160886b3d039","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstAsync_With_No_Results_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02ef566fe97ce0688a500cb1037caf73165cb714"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"e32432ad-c183-d674-9c3d-e182d698fdfd","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters","DisplayName":"DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"QueryAsync_WithParameters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"17c906d994f909075c90a7527776dc4ce37219aa"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"56734fb1-3027-aead-4696-55c05a9ddd5b","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithPositionalParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithPositionalParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithPositionalParameters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0395970922ecbe42c094c2e5cc03bbc5906a10a4"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},{"Id":"f1c09723-74a2-e398-1769-da8a7d1e4ad8","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.FieldCountAndNames","DisplayName":"DecentDB.Tests.DataReaderTests.FieldCountAndNames","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FieldCountAndNames"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"20ece292f1c52b72e2c6826f4cab60fac056c35f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"083de63e-ad5d-8c4a-393e-e04e8648f1a6","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip","DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllTypes_NullValues_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02bd17544389aca255e56977e297862bee13c361"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"3176e6c1-0df4-9e16-8476-a570df2e2b2a","FullyQualifiedName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_ReturnsActualMetrics","DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_ReturnsActualMetrics","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExplainAnalyze_ReturnsActualMetrics"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1856434b338161c75416361bcb12c6eea411c29b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ExplainAnalyzeTests"}]},{"Id":"c8eb4232-bf9c-61ff-49c8-e91c969811d7","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_Text_Interop","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Text_Interop","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_Text_Interop"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"802ec798dd83b575224a6167a843c9f2c11f5ba0"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},{"Id":"6615070c-f6d6-59c1-d309-2604309d724a","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_RowsAffected_AfterOperations"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0c61f0e4e49384a986cead1b9be615eb7eb25b68"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.838, 376298651914736, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.838, 376298651945975, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.838, 376298651962075, vstest.console.dll, InProgress is DecentDB.Tests.DapperIntegrationTests.TestDapperScalar
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.838, 376298651982554, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.838, 376298652002922, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.838, 376298652027879, vstest.console.dll, InProgress is DecentDB.Tests.DmlTests.SelectWithPositionalParameters
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.838, 376298652040513, vstest.console.dll, InProgress is DecentDB.Tests.DataReaderTests.FieldCountAndNames
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.838, 376298652052054, vstest.console.dll, InProgress is DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.838, 376298652064297, vstest.console.dll, InProgress is DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_ReturnsActualMetrics
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.838, 376298652075568, vstest.console.dll, InProgress is DecentDB.Tests.DecimalTests.Decimal_Text_Interop
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.838, 376298652093151, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.838, 376298652114832, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.839, 376298652128217, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.839, 376298652141893, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.839, 376298652157392, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.857, 376298670853512, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.858, 376298671255096, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"404f983d-a97c-36e9-fb05-84e8ea89a985","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Native_SetLibraryPath_WithInvalidPath_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"06f9f614cb783630d81f2848bfda8800f2a4b807"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0071794","StartTime":"2026-02-08T22:26:58.8240671+00:00","EndTime":"2026-02-08T22:26:58.8280819+00:00","Properties":[]},{"TestCase":{"Id":"988e568b-674f-7344-d156-3bd2213c8ebc","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_CanExecuteSampleQueries"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23619543aa3f794620b7fdb323af2b2479f4c645"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0054576","StartTime":"2026-02-08T22:26:58.8240081+00:00","EndTime":"2026-02-08T22:26:58.8322161+00:00","Properties":[]},{"TestCase":{"Id":"7d57e49c-bb58-e2e3-4627-88846ba06163","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ConnectionString_WhileOpen_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02d47efb85b0839d1893bfe623d60594d4f78180"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0078684","StartTime":"2026-02-08T22:26:58.8241646+00:00","EndTime":"2026-02-08T22:26:58.8328411+00:00","Properties":[]},{"TestCase":{"Id":"c9e374cd-dc7e-6d7a-406b-aef25231a306","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Handles_Pooling_Option_From_ConnectionString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2ed91cb9cfbed131380fa8648421bb3dda10d57e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0070741","StartTime":"2026-02-08T22:26:58.8240485+00:00","EndTime":"2026-02-08T22:26:58.8320877+00:00","Properties":[]},{"TestCase":{"Id":"580b490c-3a3e-9e41-4e87-029494003674","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase","DisplayName":"DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenAndCloseDatabase"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"093da95ac1791a1c84b554c4eabce1f0f89bc19b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0095951","StartTime":"2026-02-08T22:26:58.8240874+00:00","EndTime":"2026-02-08T22:26:58.8328955+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":5,"Stats":{"Passed":5}},"ActiveTests":[{"Id":"13084293-ca92-f864-ea8c-7b9cb3f67d7e","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder","DisplayName":"DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamAsync_YieldsRowsInOrder"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2199a4e589b4a7eeb2e74f21bd026a28e61b6ae4"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"3d316a0a-d17e-1771-78f9-a907cc267385","FullyQualifiedName":"DecentDB.Tests.TransactionTests.CommitTransaction","DisplayName":"DecentDB.Tests.TransactionTests.CommitTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CommitTransaction"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26e906cc48f24a36282a676bbdddf963066cb325"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},{"Id":"61dfa170-4f18-6ac0-c503-ffec7e873f58","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Derived_Context_Initialization_Works"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3c474f14ebfb33becd69babb779ad4509ad36097"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"26ae9605-9d18-4654-8884-41193f2f6714","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"31b9bd5c35cae1320275480edea3ac1c1bfe4670"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"2be4cc16-afa5-9f40-e35b-0d92b0abadb3","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnInvalidBindIndex"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"267e138a93fd5478f76212318b8547167eb37072"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.867, 376298680222447, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.867, 376298680290265, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.867, 376298680305303, vstest.console.dll, InProgress is DecentDB.Tests.TransactionTests.CommitTransaction
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.867, 376298680318618, vstest.console.dll, InProgress is DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.867, 376298680331923, vstest.console.dll, InProgress is DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.867, 376298680347222, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.867, 376298680485712, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.867, 376298680508605, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.867, 376298680526368, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 9 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.867, 376298680537178, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.867, 376298680547357, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 28 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.867, 376298680763393, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.867, 376298680809800, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.867, 376298680838324, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.867, 376298680865124, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.868, 376298681402834, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.868, 376298681801783, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"26ae9605-9d18-4654-8884-41193f2f6714","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"31b9bd5c35cae1320275480edea3ac1c1bfe4670"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0013507","StartTime":"2026-02-08T22:26:58.8579841+00:00","EndTime":"2026-02-08T22:26:58.8584608+00:00","Properties":[]},{"TestCase":{"Id":"61dfa170-4f18-6ac0-c503-ffec7e873f58","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Derived_Context_Initialization_Works"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3c474f14ebfb33becd69babb779ad4509ad36097"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0018541","StartTime":"2026-02-08T22:26:58.8579516+00:00","EndTime":"2026-02-08T22:26:58.8589412+00:00","Properties":[]},{"TestCase":{"Id":"af1ac831-acb2-04d9-19de-bc661c24b365","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Full_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Full_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Accepts_Full_ConnectionString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4a6dfd8c3bc96d200df31ac9b1f1fd7f2bf1a90d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Full_ConnectionString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001850","StartTime":"2026-02-08T22:26:58.8592175+00:00","EndTime":"2026-02-08T22:26:58.8593561+00:00","Properties":[]},{"TestCase":{"Id":"6615070c-f6d6-59c1-d309-2604309d724a","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_RowsAffected_AfterOperations"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0c61f0e4e49384a986cead1b9be615eb7eb25b68"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0138214","StartTime":"2026-02-08T22:26:58.822679+00:00","EndTime":"2026-02-08T22:26:58.8598522+00:00","Properties":[]},{"TestCase":{"Id":"10c35701-ac33-d093-20c4-f054cc4cf0bd","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"32aa8abc882ce88a54eb613696adf58e1cf3cd6a"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set DECENTDB_COMPARE_MELODEE_SQLITE=1 to enable SQLite comparisons\n"}],"ComputerName":"batman","Duration":"00:00:00.0010054","StartTime":"2026-02-08T22:26:58.8588043+00:00","EndTime":"2026-02-08T22:26:58.8659664+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":10,"Stats":{"Passed":10}},"ActiveTests":[{"Id":"4b0fb72d-f3f2-d455-6b58-8e7370145558","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds","DisplayName":"DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenWithCacheSizeMb_Succeeds"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"22bfa09aa29aa278b7c5baa0d2f20acb0b86eafe"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},{"Id":"c0499a1e-eef9-7aef-e340-2452501f0717","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Checkpoint_WhenClosed_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"05d550dce7c9c24a35a03655b6cd79f610626f72"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"94a4ac31-7527-aae2-b45b-0b8dbd09284c","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Non_Pooled_Mode_Works"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4e4fd70a7815457e2bfe4f1ea99fe5e9a241c1af"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"d3ce7169-4a26-d8b8-f96f-f36575efb718","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_Dispose_MultipleTimes_DoesNotThrow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"200ce5c8bf729867f13b1db02c2e56f646a3fedb"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"b08f6b19-eeeb-7313-47fe-ba1f8344f6f8","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4f2dc9c0c59b5190a7787ba9049e13acf26280a9"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.871, 376298684742857, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.871, 376298684806636, vstest.console.dll, InProgress is DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.871, 376298684830201, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.871, 376298684850879, vstest.console.dll, InProgress is DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.871, 376298684870035, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.871, 376298684898729, vstest.console.dll, InProgress is DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.871, 376298684953612, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.871, 376298684980543, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.871, 376298684974912, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.871, 376298685006772, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 3 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.871, 376298685065643, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 4 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.871, 376298685072967, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.871, 376298685123822, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.872, 376298685159880, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.872, 376298685165390, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.872, 376298685223159, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.872, 376298685482886, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"f1c09723-74a2-e398-1769-da8a7d1e4ad8","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.FieldCountAndNames","DisplayName":"DecentDB.Tests.DataReaderTests.FieldCountAndNames","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FieldCountAndNames"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"20ece292f1c52b72e2c6826f4cab60fac056c35f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.FieldCountAndNames","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0142336","StartTime":"2026-02-08T22:26:58.8227222+00:00","EndTime":"2026-02-08T22:26:58.8684224+00:00","Properties":[]},{"TestCase":{"Id":"d3ce7169-4a26-d8b8-f96f-f36575efb718","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_Dispose_MultipleTimes_DoesNotThrow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"200ce5c8bf729867f13b1db02c2e56f646a3fedb"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003561","StartTime":"2026-02-08T22:26:58.8658424+00:00","EndTime":"2026-02-08T22:26:58.8688638+00:00","Properties":[]},{"TestCase":{"Id":"f04170a2-478f-2f83-d94f-fb1af8db0f8c","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.ColumnMetadata","DisplayName":"DecentDB.Tests.NativeLayerTests.ColumnMetadata","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ColumnMetadata"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"06f2fd2e6b8204d918eacd89fafcb34c03950fcc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.ColumnMetadata","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0147995","StartTime":"2026-02-08T22:26:58.8227609+00:00","EndTime":"2026-02-08T22:26:58.8692877+00:00","Properties":[]},{"TestCase":{"Id":"002469d1-f74d-1089-97bc-9c9f7ab7b092","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_LastErrorCodeAndMessage_AfterOperation","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_LastErrorCodeAndMessage_AfterOperation","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_LastErrorCodeAndMessage_AfterOperation"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26a575d3d8a2caa494b02750d97a831acdfcdf30"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_LastErrorCodeAndMessage_AfterOperation","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004102","StartTime":"2026-02-08T22:26:58.8691631+00:00","EndTime":"2026-02-08T22:26:58.8697567+00:00","Properties":[]},{"TestCase":{"Id":"c0499a1e-eef9-7aef-e340-2452501f0717","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Checkpoint_WhenClosed_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"05d550dce7c9c24a35a03655b6cd79f610626f72"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0028046","StartTime":"2026-02-08T22:26:58.8582927+00:00","EndTime":"2026-02-08T22:26:58.8702337+00:00","Properties":[]},{"TestCase":{"Id":"9da410e1-02c3-a7f2-b5f7-c6d0a62fb2af","FullyQualifiedName":"DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent","DisplayName":"DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestSqlExecutingEvent"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8e64ae06008876f5e95ae4595cdffbdc29e66bb5"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ObservabilityTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0189422","StartTime":"2026-02-08T22:26:58.8239635+00:00","EndTime":"2026-02-08T22:26:58.8706599+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":16,"Stats":{"Passed":16}},"ActiveTests":[{"Id":"1ea70c90-97c4-739f-13ad-aad05b7650c7","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly","DisplayName":"DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamingBehaviorForwardOnly"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4a1c52b1942082c0768862284a6ca143aafba6cd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"03a3912c-ccbf-fee9-74ca-df73290ba8f8","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows","DisplayName":"DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenInvalidPathThrows"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"08f040027952bb5eebc7febdb0846383a51bf242"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"90220754-ac70-a9f3-af99-ca3bae35016a","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Reset_ClearBindings_Chain"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"278dbb57acbb0d8228b32142229b01ffb77fdf20"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"737a1830-b03a-98da-3d55-e1cdaa4398de","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBTransaction_Rollback_ThenDispose"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0699355c5effdbb4780832e505e3aafca990042c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.874, 376298687933899, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.874, 376298687992459, vstest.console.dll, InProgress is DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.874, 376298688019290, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.874, 376298688039758, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.874, 376298688070957, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.874, 376298688118085, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.875, 376298688140728, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.875, 376298688142722, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.875, 376298688191443, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.875, 376298688226299, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 2 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.875, 376298688243731, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.875, 376298688299506, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.875, 376298688302842, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 3 ms
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.875, 376298688371361, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.875, 376298688436453, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.875, 376298688487649, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.875, 376298688696041, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"b08f6b19-eeeb-7313-47fe-ba1f8344f6f8","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4f2dc9c0c59b5190a7787ba9049e13acf26280a9"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0019834","StartTime":"2026-02-08T22:26:58.8683298+00:00","EndTime":"2026-02-08T22:26:58.8718569+00:00","Properties":[]},{"TestCase":{"Id":"03a3912c-ccbf-fee9-74ca-df73290ba8f8","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows","DisplayName":"DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenInvalidPathThrows"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"08f040027952bb5eebc7febdb0846383a51bf242"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014345","StartTime":"2026-02-08T22:26:58.8696622+00:00","EndTime":"2026-02-08T22:26:58.8723304+00:00","Properties":[]},{"TestCase":{"Id":"4b0fb72d-f3f2-d455-6b58-8e7370145558","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds","DisplayName":"DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenWithCacheSizeMb_Succeeds"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"22bfa09aa29aa278b7c5baa0d2f20acb0b86eafe"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0046466","StartTime":"2026-02-08T22:26:58.8580119+00:00","EndTime":"2026-02-08T22:26:58.8727165+00:00","Properties":[]},{"TestCase":{"Id":"90220754-ac70-a9f3-af99-ca3bae35016a","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Reset_ClearBindings_Chain"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"278dbb57acbb0d8228b32142229b01ffb77fdf20"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017752","StartTime":"2026-02-08T22:26:58.8700904+00:00","EndTime":"2026-02-08T22:26:58.8731545+00:00","Properties":[]},{"TestCase":{"Id":"737a1830-b03a-98da-3d55-e1cdaa4398de","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBTransaction_Rollback_ThenDispose"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0699355c5effdbb4780832e505e3aafca990042c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0018053","StartTime":"2026-02-08T22:26:58.8705504+00:00","EndTime":"2026-02-08T22:26:58.8735853+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":21,"Stats":{"Passed":21}},"ActiveTests":[{"Id":"c58adb59-300d-820c-7bea-8933c88b0d21","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"798c3f574bdc9d70c46f57de0be0460de047f215"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"f3f2777c-6705-3f90-3b16-3fea07f21d8a","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FloatBindingAndRetrieval"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"14da6fa89b5eb0d57dd5e1079fb4438bf4143c07"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"8f198fab-226e-9a6c-9ca2-2dcfb24fb5db","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached","DisplayName":"DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SqlObservability_EventsFire_WhenHandlersAttached"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"61f827278ca1b6e60b00f65d942e2ff5d6120c3e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},{"Id":"966f5338-86b3-07e2-a675-6f5f99d39d12","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_EmptyArray"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2d6e410b5b58aca60abf285ed3044ebf0c9224ee"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"4e7b4d6b-d993-9cae-7f6b-8d428d1f8775","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DbConnection_SetterGetter"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0ca3cf4e0ee638bb5510906957619ba2eb238899"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.877, 376298690379172, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.877, 376298690421782, vstest.console.dll, InProgress is DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.877, 376298690445096, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.877, 376298690460725, vstest.console.dll, InProgress is DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.877, 376298690474210, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.877, 376298690488707, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.877, 376298690518674, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.877, 376298690534323, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.877, 376298690552778, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.877, 376298690576833, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 2 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.877, 376298690548640, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.877, 376298690656613, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.877, 376298690690927, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.877, 376298690720102, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.877, 376298690747503, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.877, 376298690900912, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.878, 376298691216374, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"c58adb59-300d-820c-7bea-8933c88b0d21","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"798c3f574bdc9d70c46f57de0be0460de047f215"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0010964","StartTime":"2026-02-08T22:26:58.8722274+00:00","EndTime":"2026-02-08T22:26:58.8748298+00:00","Properties":[]},{"TestCase":{"Id":"f3f2777c-6705-3f90-3b16-3fea07f21d8a","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FloatBindingAndRetrieval"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"14da6fa89b5eb0d57dd5e1079fb4438bf4143c07"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014249","StartTime":"2026-02-08T22:26:58.872646+00:00","EndTime":"2026-02-08T22:26:58.8752726+00:00","Properties":[]},{"TestCase":{"Id":"3d316a0a-d17e-1771-78f9-a907cc267385","FullyQualifiedName":"DecentDB.Tests.TransactionTests.CommitTransaction","DisplayName":"DecentDB.Tests.TransactionTests.CommitTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CommitTransaction"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26e906cc48f24a36282a676bbdddf963066cb325"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TransactionTests.CommitTransaction","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0181117","StartTime":"2026-02-08T22:26:58.8241441+00:00","EndTime":"2026-02-08T22:26:58.8756674+00:00","Properties":[]},{"TestCase":{"Id":"2be4cc16-afa5-9f40-e35b-0d92b0abadb3","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnInvalidBindIndex"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"267e138a93fd5478f76212318b8547167eb37072"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0069856","StartTime":"2026-02-08T22:26:58.8579076+00:00","EndTime":"2026-02-08T22:26:58.8762613+00:00","Properties":[]},{"TestCase":{"Id":"12cdca0f-f1d8-b093-3fef-d9cd78c18aff","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.NullHandling","DisplayName":"DecentDB.Tests.NativeLayerTests.NullHandling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NullHandling"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26f3bea47cede0a4fd767f79554470213e0cd1c1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.NullHandling","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013629","StartTime":"2026-02-08T22:26:58.8755674+00:00","EndTime":"2026-02-08T22:26:58.8768066+00:00","Properties":[]},{"TestCase":{"Id":"4e7b4d6b-d993-9cae-7f6b-8d428d1f8775","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DbConnection_SetterGetter"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0ca3cf4e0ee638bb5510906957619ba2eb238899"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023706","StartTime":"2026-02-08T22:26:58.874734+00:00","EndTime":"2026-02-08T22:26:58.8770745+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":27,"Stats":{"Passed":27}},"ActiveTests":[{"Id":"d8d181a9-e6e4-0511-2d6f-9cb242977b29","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8fbd5a1178369575b5e56a49cb60796bb98f3cfb"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"5bf75d6b-382b-9760-3047-421eb53ffee1","FullyQualifiedName":"DecentDB.Tests.TransactionTests.RollbackTransaction","DisplayName":"DecentDB.Tests.TransactionTests.RollbackTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RollbackTransaction"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3258db74afe59290503805904087d5498939d672"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},{"Id":"4110b91c-02b2-c8c6-89e4-1067962ca4f1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnInvalidColumnIndex"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"49620625e6ba50412ba6d05da306f4d8efd208d2"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"534c36c8-c598-80b0-f3d3-c5e3ffd05cc1","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.PrepareStatement","DisplayName":"DecentDB.Tests.NativeLayerTests.PrepareStatement","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PrepareStatement"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"36b542da9e297f8a64cfa68c214e871aa8fdf3f8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.879, 376298692930253, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.879, 376298692967392, vstest.console.dll, InProgress is DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.879, 376298692982661, vstest.console.dll, InProgress is DecentDB.Tests.TransactionTests.RollbackTransaction
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.879, 376298692996036, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.879, 376298693008860, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.PrepareStatement
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.879, 376298693048745, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.879, 376298693064815, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.879, 376298693070045, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.879, 376298693119578, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.879, 376298693083360, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.880, 376298693153582, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 2 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.880, 376298693158081, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.880, 376298693188838, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.880, 376298693217783, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.880, 376298693237890, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.880, 376298693829922, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.881, 376298694144884, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"966f5338-86b3-07e2-a675-6f5f99d39d12","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_EmptyArray"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2d6e410b5b58aca60abf285ed3044ebf0c9224ee"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0029427","StartTime":"2026-02-08T22:26:58.8734752+00:00","EndTime":"2026-02-08T22:26:58.8780148+00:00","Properties":[]},{"TestCase":{"Id":"d8d181a9-e6e4-0511-2d6f-9cb242977b29","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8fbd5a1178369575b5e56a49cb60796bb98f3cfb"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0023544","StartTime":"2026-02-08T22:26:58.8751654+00:00","EndTime":"2026-02-08T22:26:58.8782696+00:00","Properties":[]},{"TestCase":{"Id":"4110b91c-02b2-c8c6-89e4-1067962ca4f1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnInvalidColumnIndex"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"49620625e6ba50412ba6d05da306f4d8efd208d2"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012733","StartTime":"2026-02-08T22:26:58.8767247+00:00","EndTime":"2026-02-08T22:26:58.8795128+00:00","Properties":[]},{"TestCase":{"Id":"534c36c8-c598-80b0-f3d3-c5e3ffd05cc1","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.PrepareStatement","DisplayName":"DecentDB.Tests.NativeLayerTests.PrepareStatement","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PrepareStatement"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"36b542da9e297f8a64cfa68c214e871aa8fdf3f8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.PrepareStatement","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009649","StartTime":"2026-02-08T22:26:58.8770571+00:00","EndTime":"2026-02-08T22:26:58.879736+00:00","Properties":[]},{"TestCase":{"Id":"0e74b06d-d2b9-fbd5-e14a-58324a742c9f","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_DefaultConstructor_CreatesInstance","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_DefaultConstructor_CreatesInstance","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_DefaultConstructor_CreatesInstance"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0fed60dcda6d7550abe0cd80ab311b8567458133"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_DefaultConstructor_CreatesInstance","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010361","StartTime":"2026-02-08T22:26:58.8779476+00:00","EndTime":"2026-02-08T22:26:58.8800196+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":32,"Stats":{"Passed":32}},"ActiveTests":[{"Id":"9defafa8-67ef-1872-9545-8181757c16fd","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindText_NullString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5c8a16ba09814f1e965c6b5726263cb1e2ba4eeb"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"c16054e6-f41c-24e3-5eb6-d034a6febd65","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"aaa3f289adf1f647c8a4c070c2461babb99835cd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"21ee4efa-c806-f8b3-0504-ffdec398eb4e","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView_IndexOutOfRange_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4de1b95ab9747f9e9f0d37e44a77a38a0a536017"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"fa010b0b-77f1-b664-2a0f-de813da744a3","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.OpenNativeDatabase","DisplayName":"DecentDB.Tests.NativeLayerTests.OpenNativeDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenNativeDatabase"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"400dc9ba8005e7c3f52c7c0f50d9fe52d4f1ae00"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"a4a52f5e-0a3d-ab63-0baa-640951fa4a20","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Tables_ReturnsCreatedTables"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"164a380f8320f3a6f2331fa3934e76c7095ccd88"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.883, 376298696168494, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.883, 376298696218027, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.883, 376298696238255, vstest.console.dll, InProgress is DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.883, 376298696256509, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.883, 376298696274654, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.OpenNativeDatabase
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.883, 376298696293499, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.883, 376298696348813, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.883, 376298696361707, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.883, 376298696372758, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.883, 376298696407062, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.883, 376298696433732, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 2 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.883, 376298696470261, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 3 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.883, 376298696474990, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.883, 376298696499426, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.883, 376298696534311, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.883, 376298696559879, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.887, 376298700783812, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"9defafa8-67ef-1872-9545-8181757c16fd","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindText_NullString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5c8a16ba09814f1e965c6b5726263cb1e2ba4eeb"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009094","StartTime":"2026-02-08T22:26:58.8782059+00:00","EndTime":"2026-02-08T22:26:58.8808197+00:00","Properties":[]},{"TestCase":{"Id":"fa010b0b-77f1-b664-2a0f-de813da744a3","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.OpenNativeDatabase","DisplayName":"DecentDB.Tests.NativeLayerTests.OpenNativeDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenNativeDatabase"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"400dc9ba8005e7c3f52c7c0f50d9fe52d4f1ae00"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.OpenNativeDatabase","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006610","StartTime":"2026-02-08T22:26:58.8799558+00:00","EndTime":"2026-02-08T22:26:58.8811359+00:00","Properties":[]},{"TestCase":{"Id":"5bb37227-60e5-63bc-c7d7-a3321e749a8c","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindText_EmptyString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6137ccf0f4d259919eb0e13f5cdb2c30f74f172a"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009838","StartTime":"2026-02-08T22:26:58.8810705+00:00","EndTime":"2026-02-08T22:26:58.8813749+00:00","Properties":[]},{"TestCase":{"Id":"024120ea-faa1-6633-6c29-442558086e66","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.BindAndStep","DisplayName":"DecentDB.Tests.NativeLayerTests.BindAndStep","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"BindAndStep"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"49431ff465f661e4446e80d1babfaaba3c2bba10"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.BindAndStep","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009927","StartTime":"2026-02-08T22:26:58.8813104+00:00","EndTime":"2026-02-08T22:26:58.8816062+00:00","Properties":[]},{"TestCase":{"Id":"c16054e6-f41c-24e3-5eb6-d034a6febd65","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"aaa3f289adf1f647c8a4c070c2461babb99835cd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0021373","StartTime":"2026-02-08T22:26:58.8794263+00:00","EndTime":"2026-02-08T22:26:58.8817856+00:00","Properties":[]},{"TestCase":{"Id":"d9c3619b-27db-b0e3-056d-9f0d12fcf89c","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDBException_Properties_AreCorrect","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDBException_Properties_AreCorrect","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBException_Properties_AreCorrect"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"68e142e067127d5f1025782020a62c838020977a"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDBException_Properties_AreCorrect","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003454","StartTime":"2026-02-08T22:26:58.8815425+00:00","EndTime":"2026-02-08T22:26:58.8820765+00:00","Properties":[]},{"TestCase":{"Id":"1ea70c90-97c4-739f-13ad-aad05b7650c7","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly","DisplayName":"DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamingBehaviorForwardOnly"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4a1c52b1942082c0768862284a6ca143aafba6cd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0086707","StartTime":"2026-02-08T22:26:58.8687668+00:00","EndTime":"2026-02-08T22:26:58.8823174+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":39,"Stats":{"Passed":39}},"ActiveTests":[{"Id":"99cfd983-88e3-52e0-a21b-8b07ef09d1a5","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip","DisplayName":"DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UuidColumnRoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"585f9167e3850261bee0096b801d6dd4e88ebeb7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"ce0cc021-e65a-2c9d-b4aa-84e6888db5f9","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bbd16d87849448f2c873ac1e0738f772f63d4e77"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"ff812fa2-4e7b-3302-b38f-bb8feaaaa1a8","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_Checkpoint_Success"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6f6346a5c18d2f6e13613a222a86d5f08e0cc0a8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.889, 376298702436135, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.889, 376298702503101, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.889, 376298702525132, vstest.console.dll, InProgress is DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.889, 376298702545911, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.889, 376298702599802, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.889, 376298702620862, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.889, 376298702657671, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.889, 376298702680043, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.889, 376298702623898, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.889, 376298702716311, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.889, 376298702750515, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.889, 376298702764983, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 2 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.889, 376298702771344, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.889, 376298702805899, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 6 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.889, 376298702831648, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.889, 376298702879908, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.890, 376298703128054, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"083de63e-ad5d-8c4a-393e-e04e8648f1a6","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip","DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllTypes_NullValues_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02bd17544389aca255e56977e297862bee13c361"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0232692","StartTime":"2026-02-08T22:26:58.8227412+00:00","EndTime":"2026-02-08T22:26:58.8831318+00:00","Properties":[]},{"TestCase":{"Id":"ff812fa2-4e7b-3302-b38f-bb8feaaaa1a8","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_Checkpoint_Success"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6f6346a5c18d2f6e13613a222a86d5f08e0cc0a8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014416","StartTime":"2026-02-08T22:26:58.8822388+00:00","EndTime":"2026-02-08T22:26:58.8834654+00:00","Properties":[]},{"TestCase":{"Id":"ce0cc021-e65a-2c9d-b4aa-84e6888db5f9","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bbd16d87849448f2c873ac1e0738f772f63d4e77"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0026698","StartTime":"2026-02-08T22:26:58.8820133+00:00","EndTime":"2026-02-08T22:26:58.8838168+00:00","Properties":[]},{"TestCase":{"Id":"21ee4efa-c806-f8b3-0504-ffdec398eb4e","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView_IndexOutOfRange_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4de1b95ab9747f9e9f0d37e44a77a38a0a536017"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0048455","StartTime":"2026-02-08T22:26:58.8798459+00:00","EndTime":"2026-02-08T22:26:58.8850295+00:00","Properties":[]},{"TestCase":{"Id":"9e485601-5e02-da40-50e5-16d0e67ac725","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetBytes","DisplayName":"DecentDB.Tests.DataReaderTests.GetBytes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetBytes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4eb957d143f425b477fdfc8bd4b5dadd388ca5b5"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetBytes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020297","StartTime":"2026-02-08T22:26:58.8830636+00:00","EndTime":"2026-02-08T22:26:58.8852561+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":44,"Stats":{"Passed":44}},"ActiveTests":[{"Id":"c7543263-208d-66da-7125-b875115ef526","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes","DisplayName":"DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Blob_VariousSizes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"08fd838d4b8aa0af45aa74be01f0a8cfa2ad0839"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"17616c75-369d-a6d4-5c45-5d7d892e0a90","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView_IndexOutOfRange_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7ac623f7e5d51b770300b248f7da4efa5f61de68"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"d4197c5e-e15c-1693-bdc5-6533f4e1e7fc","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c35f553fdc71ae71292c0ad54f081838748fdabf"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"2ff10c55-6c5e-a28a-3adb-e82cd2ec7e67","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_LargeButValidValue_Works"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"608e20f42eed74c6aa5a9a103379ac67ac4d4ed7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"ad748703-0637-4c65-bf99-d45ccf0b6224","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetOrdinal","DisplayName":"DecentDB.Tests.DataReaderTests.GetOrdinal","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetOrdinal"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"57fa2da4dfe475cf92f6b05d98890db65e7f42a6"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.891, 376298704944045, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.891, 376298704987416, vstest.console.dll, InProgress is DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.891, 376298705006903, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.891, 376298705025909, vstest.console.dll, InProgress is DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.891, 376298705044143, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.891, 376298705064541, vstest.console.dll, InProgress is DecentDB.Tests.DataReaderTests.GetOrdinal
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.891, 376298705099156, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.891, 376298705106831, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.891, 376298705119865, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.892, 376298705150993, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.892, 376298705190778, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 2 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.892, 376298705225153, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 2 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.892, 376298705229541, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.892, 376298705258355, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.892, 376298705275337, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.892, 376298705304351, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.892, 376298705508395, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"c7543263-208d-66da-7125-b875115ef526","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes","DisplayName":"DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Blob_VariousSizes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"08fd838d4b8aa0af45aa74be01f0a8cfa2ad0839"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017883","StartTime":"2026-02-08T22:26:58.8833739+00:00","EndTime":"2026-02-08T22:26:58.8861741+00:00","Properties":[]},{"TestCase":{"Id":"8f198fab-226e-9a6c-9ca2-2dcfb24fb5db","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached","DisplayName":"DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SqlObservability_EventsFire_WhenHandlersAttached"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"61f827278ca1b6e60b00f65d942e2ff5d6120c3e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0089661","StartTime":"2026-02-08T22:26:58.8730406+00:00","EndTime":"2026-02-08T22:26:58.8865096+00:00","Properties":[]},{"TestCase":{"Id":"5bf75d6b-382b-9760-3047-421eb53ffee1","FullyQualifiedName":"DecentDB.Tests.TransactionTests.RollbackTransaction","DisplayName":"DecentDB.Tests.TransactionTests.RollbackTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RollbackTransaction"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3258db74afe59290503805904087d5498939d672"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TransactionTests.RollbackTransaction","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0073832","StartTime":"2026-02-08T22:26:58.8760235+00:00","EndTime":"2026-02-08T22:26:58.886755+00:00","Properties":[]},{"TestCase":{"Id":"17616c75-369d-a6d4-5c45-5d7d892e0a90","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView_IndexOutOfRange_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7ac623f7e5d51b770300b248f7da4efa5f61de68"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0022759","StartTime":"2026-02-08T22:26:58.8837222+00:00","EndTime":"2026-02-08T22:26:58.8870016+00:00","Properties":[]},{"TestCase":{"Id":"2ff10c55-6c5e-a28a-3adb-e82cd2ec7e67","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_LargeButValidValue_Works"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"608e20f42eed74c6aa5a9a103379ac67ac4d4ed7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009290","StartTime":"2026-02-08T22:26:58.8853628+00:00","EndTime":"2026-02-08T22:26:58.8872493+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":49,"Stats":{"Passed":49}},"ActiveTests":[{"Id":"7f2aada0-6a30-f5f7-f00c-479baec7b8ef","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Text_Unicode","DisplayName":"DecentDB.Tests.AllDataTypesTests.Text_Unicode","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Text_Unicode"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"199f7911d25301768ba228f6cd6e9defaada20f5"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"875da2b0-fd6d-f566-4d2d-5c2e980a8605","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_IsNotNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"091495c9323ecf6ef651bb1f55339e602c304684"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"b794905d-2c43-2f54-028a-8d4ac6400002","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase","DisplayName":"DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenNonExistentDatabase"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c2797006393d41ad5ff26849e7767ec0ea1cd9eb"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},{"Id":"452a856b-4253-4cc7-2300-72cbfe81feba","FullyQualifiedName":"DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot","DisplayName":"DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TransactionIsolationLevelSnapshot"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4496d126d7bc70421a85d9423799749dca9b7e06"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},{"Id":"2e53b425-7943-cdd8-98b6-d6ccdc5d1e9f","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnMetadata_NegativeIndex_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8a593324298317c9a92a0995a44c14a1f14cbc41"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.894, 376298707147082, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.894, 376298707187157, vstest.console.dll, InProgress is DecentDB.Tests.AllDataTypesTests.Text_Unicode
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.894, 376298707206093, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.894, 376298707223846, vstest.console.dll, InProgress is DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.894, 376298707247160, vstest.console.dll, InProgress is DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.894, 376298707266687, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.894, 376298707296603, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.894, 376298707312984, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.894, 376298707317823, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.894, 376298707360824, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.894, 376298707391110, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.894, 376298707396020, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.894, 376298707431236, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 2 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.894, 376298707438570, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.894, 376298707472734, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.894, 376298707477433, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.894, 376298707727753, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"d4197c5e-e15c-1693-bdc5-6533f4e1e7fc","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c35f553fdc71ae71292c0ad54f081838748fdabf"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0015298","StartTime":"2026-02-08T22:26:58.8840835+00:00","EndTime":"2026-02-08T22:26:58.8880191+00:00","Properties":[]},{"TestCase":{"Id":"ad748703-0637-4c65-bf99-d45ccf0b6224","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetOrdinal","DisplayName":"DecentDB.Tests.DataReaderTests.GetOrdinal","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetOrdinal"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"57fa2da4dfe475cf92f6b05d98890db65e7f42a6"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetOrdinal","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013250","StartTime":"2026-02-08T22:26:58.886069+00:00","EndTime":"2026-02-08T22:26:58.8883093+00:00","Properties":[]},{"TestCase":{"Id":"13bfed11-d8a3-c3f7-bb22-1a976bbc4d97","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds","DisplayName":"DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"33502a6142b40161db00180ef7bec8209e363b26"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0263928","StartTime":"2026-02-08T22:26:58.822526+00:00","EndTime":"2026-02-08T22:26:58.8885598+00:00","Properties":[]},{"TestCase":{"Id":"3176e6c1-0df4-9e16-8476-a570df2e2b2a","FullyQualifiedName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_ReturnsActualMetrics","DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_ReturnsActualMetrics","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExplainAnalyze_ReturnsActualMetrics"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1856434b338161c75416361bcb12c6eea411c29b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ExplainAnalyzeTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_ReturnsActualMetrics","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0264940","StartTime":"2026-02-08T22:26:58.8241075+00:00","EndTime":"2026-02-08T22:26:58.8887504+00:00","Properties":[]},{"TestCase":{"Id":"2e53b425-7943-cdd8-98b6-d6ccdc5d1e9f","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnMetadata_NegativeIndex_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8a593324298317c9a92a0995a44c14a1f14cbc41"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007684","StartTime":"2026-02-08T22:26:58.8871832+00:00","EndTime":"2026-02-08T22:26:58.8890315+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":54,"Stats":{"Passed":54}},"ActiveTests":[{"Id":"8aeecf70-e574-4b10-4997-f1477257b4f4","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ResetThrowsOnError"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"68a16c19ae772577713af6996ac45f54a6f3f48c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"7db36bec-bbb4-8c43-27e5-b85fdfb80bbd","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cd2b759ef17a179c1809dd80629413b0b89ef22b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"e98c3f1f-3796-bd93-e9f8-e0f2716463e2","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.RecordsAffected","DisplayName":"DecentDB.Tests.DataReaderTests.RecordsAffected","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RecordsAffected"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"616aeb6118e3e445ed252c25edb6bc74fd2146b0"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"754486ab-2a78-0e34-ed0e-27e202154c7e","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes","DisplayName":"DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MaxLength_UsesUtf8Bytes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"368b48cf4819579ca4fa59f4cf28731bfc026a0f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},{"Id":"171e3330-d48d-53a4-f4d0-185de2d41e4b","FullyQualifiedName":"DecentDB.Tests.ExplainAnalyzeTests.Explain_WithoutAnalyze_NoActualMetrics","DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.Explain_WithoutAnalyze_NoActualMetrics","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Explain_WithoutAnalyze_NoActualMetrics"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"42c5af21a124f1817ab4a97e61d2b852fd48bf2a"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ExplainAnalyzeTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.896, 376298709421333, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.896, 376298709462090, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.896, 376298709481877, vstest.console.dll, InProgress is DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.896, 376298709500462, vstest.console.dll, InProgress is DecentDB.Tests.DataReaderTests.RecordsAffected
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.896, 376298709517474, vstest.console.dll, InProgress is DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.896, 376298709535197, vstest.console.dll, InProgress is DecentDB.Tests.ExplainAnalyzeTests.Explain_WithoutAnalyze_NoActualMetrics
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.896, 376298709564582, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.896, 376298709574160, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.896, 376298709591433, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.896, 376298709624214, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.896, 376298709652137, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.896, 376298709670130, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.896, 376298709699005, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.896, 376298709702531, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 2 ms
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.896, 376298709746424, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.896, 376298709752866, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.896, 376298709977498, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"8aeecf70-e574-4b10-4997-f1477257b4f4","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ResetThrowsOnError"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"68a16c19ae772577713af6996ac45f54a6f3f48c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006274","StartTime":"2026-02-08T22:26:58.8879436+00:00","EndTime":"2026-02-08T22:26:58.8899228+00:00","Properties":[]},{"TestCase":{"Id":"c8eb4232-bf9c-61ff-49c8-e91c969811d7","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_Text_Interop","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Text_Interop","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_Text_Interop"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"802ec798dd83b575224a6167a843c9f2c11f5ba0"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Text_Interop","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0264951","StartTime":"2026-02-08T22:26:58.8239884+00:00","EndTime":"2026-02-08T22:26:58.8900344+00:00","Properties":[]},{"TestCase":{"Id":"452a856b-4253-4cc7-2300-72cbfe81feba","FullyQualifiedName":"DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot","DisplayName":"DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TransactionIsolationLevelSnapshot"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4496d126d7bc70421a85d9423799749dca9b7e06"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012841","StartTime":"2026-02-08T22:26:58.8869361+00:00","EndTime":"2026-02-08T22:26:58.8904083+00:00","Properties":[]},{"TestCase":{"Id":"7f2aada0-6a30-f5f7-f00c-479baec7b8ef","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Text_Unicode","DisplayName":"DecentDB.Tests.AllDataTypesTests.Text_Unicode","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Text_Unicode"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"199f7911d25301768ba228f6cd6e9defaada20f5"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Text_Unicode","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0018238","StartTime":"2026-02-08T22:26:58.8863852+00:00","EndTime":"2026-02-08T22:26:58.8907165+00:00","Properties":[]},{"TestCase":{"Id":"e98c3f1f-3796-bd93-e9f8-e0f2716463e2","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.RecordsAffected","DisplayName":"DecentDB.Tests.DataReaderTests.RecordsAffected","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RecordsAffected"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"616aeb6118e3e445ed252c25edb6bc74fd2146b0"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.RecordsAffected","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008696","StartTime":"2026-02-08T22:26:58.8884952+00:00","EndTime":"2026-02-08T22:26:58.8910487+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":59,"Stats":{"Passed":59}},"ActiveTests":[{"Id":"71281565-e82b-a555-5809-49b9c5741e1f","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_GetDecimal_ZeroScale"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8f3b4a356435508e25548cbd6138ebba1f62af53"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"e49571e0-2cb5-c5bc-b2ae-713c2c5173a1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Getters_AfterDisposal"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6c38acfbdfdca62454f8d8a32881015c15fe80f2"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"086c8aef-d47c-95f1-6e30-dedcc5e17f2f","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_Overflow_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a305aca01152126cdbeac768aefcb672fbbf4e61"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},{"Id":"fdf5cc96-6734-c39c-7425-02409498c427","FullyQualifiedName":"DecentDB.Tests.TransactionTests.AutoRollbackOnDispose","DisplayName":"DecentDB.Tests.TransactionTests.AutoRollbackOnDispose","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AutoRollbackOnDispose"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4a51853ae46b32ce556934ed4735e8d013848487"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},{"Id":"620c5c7e-9611-4523-616d-fe0f7a9a7eb0","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues","DisplayName":"DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Int64_BoundaryValues"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"25cc9f44b191deb80d9d7ac6e7fc1c04f8f1ef92"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.898, 376298711679815, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.898, 376298711710613, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.898, 376298711730851, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.898, 376298711749145, vstest.console.dll, InProgress is DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.898, 376298711767349, vstest.console.dll, InProgress is DecentDB.Tests.TransactionTests.AutoRollbackOnDispose
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.898, 376298711786285, vstest.console.dll, InProgress is DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.898, 376298711815660, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.898, 376298711835096, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.898, 376298711837801, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.898, 376298711877035, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.898, 376298711908735, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.898, 376298711913844, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.898, 376298711956625, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 2 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.898, 376298711966593, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.898, 376298712000297, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.898, 376298712004555, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.899, 376298712215851, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"e49571e0-2cb5-c5bc-b2ae-713c2c5173a1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Getters_AfterDisposal"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6c38acfbdfdca62454f8d8a32881015c15fe80f2"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007151","StartTime":"2026-02-08T22:26:58.8902467+00:00","EndTime":"2026-02-08T22:26:58.8918502+00:00","Properties":[]},{"TestCase":{"Id":"99cfd983-88e3-52e0-a21b-8b07ef09d1a5","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip","DisplayName":"DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UuidColumnRoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"585f9167e3850261bee0096b801d6dd4e88ebeb7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0057152","StartTime":"2026-02-08T22:26:58.8819131+00:00","EndTime":"2026-02-08T22:26:58.8921102+00:00","Properties":[]},{"TestCase":{"Id":"7db36bec-bbb4-8c43-27e5-b85fdfb80bbd","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cd2b759ef17a179c1809dd80629413b0b89ef22b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0014493","StartTime":"2026-02-08T22:26:58.8882296+00:00","EndTime":"2026-02-08T22:26:58.8923532+00:00","Properties":[]},{"TestCase":{"Id":"0d920d3f-54e6-2905-f377-142f1404058d","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.GuidParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.GuidParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GuidParameterBinding"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"01a5f0a3317e5466c242e67476b8e1266c179542"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.GuidParameterBinding","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0278258","StartTime":"2026-02-08T22:26:58.8227037+00:00","EndTime":"2026-02-08T22:26:58.8925697+00:00","Properties":[]},{"TestCase":{"Id":"171e3330-d48d-53a4-f4d0-185de2d41e4b","FullyQualifiedName":"DecentDB.Tests.ExplainAnalyzeTests.Explain_WithoutAnalyze_NoActualMetrics","DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.Explain_WithoutAnalyze_NoActualMetrics","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Explain_WithoutAnalyze_NoActualMetrics"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"42c5af21a124f1817ab4a97e61d2b852fd48bf2a"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ExplainAnalyzeTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.Explain_WithoutAnalyze_NoActualMetrics","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012730","StartTime":"2026-02-08T22:26:58.888979+00:00","EndTime":"2026-02-08T22:26:58.8928759+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":64,"Stats":{"Passed":64}},"ActiveTests":[{"Id":"27d1dee7-8280-c3bd-4925-e0334e28bd0e","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.HasRowsAndDepth","DisplayName":"DecentDB.Tests.DataReaderTests.HasRowsAndDepth","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"HasRowsAndDepth"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"63f4ee847257afd210a60c88ea920a83e49121fc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"20c3c29b-7c67-a31d-55e7-f235cc05d8d3","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBException_HasCorrectProperties"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8b424eecaede8065f38fc9d7a73e9d5724d427bd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"97a7713a-dfde-597d-d261-c949144fee53","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.DoubleBindNull","DisplayName":"DecentDB.Tests.NativeLayerTests.DoubleBindNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DoubleBindNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"603df9593ad350c447ea42abf41d66322a3b42db"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"2ba69c73-1f73-4ea8-fc16-2dcf07547641","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios","DisplayName":"DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CommandTimeoutScenarios"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"155f50b64ea889a3e09df1fd7dd6c9333d6e327c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"5e85abc4-eff8-87eb-d5ff-f7b27f846d00","FullyQualifiedName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_WithFilter_CorrectRowCount","DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_WithFilter_CorrectRowCount","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExplainAnalyze_WithFilter_CorrectRowCount"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6d04b7cc2fc0c49c2d5e67f173550e63aef98ff7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ExplainAnalyzeTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.900, 376298713520701, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.900, 376298713563021, vstest.console.dll, InProgress is DecentDB.Tests.DataReaderTests.HasRowsAndDepth
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.900, 376298713583209, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.900, 376298713601092, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.DoubleBindNull
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.900, 376298713618265, vstest.console.dll, InProgress is DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.900, 376298713635697, vstest.console.dll, InProgress is DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_WithFilter_CorrectRowCount
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.900, 376298713678017, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.900, 376298713700228, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.900, 376298713707542, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.900, 376298713724624, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.900, 376298713786160, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.900, 376298713801569, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.900, 376298713840412, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.900, 376298713847976, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.900, 376298713912778, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.900, 376298713951260, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.900, 376298714066166, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"086c8aef-d47c-95f1-6e30-dedcc5e17f2f","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_Overflow_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a305aca01152126cdbeac768aefcb672fbbf4e61"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012106","StartTime":"2026-02-08T22:26:58.8903312+00:00","EndTime":"2026-02-08T22:26:58.8935783+00:00","Properties":[]},{"TestCase":{"Id":"71281565-e82b-a555-5809-49b9c5741e1f","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_GetDecimal_ZeroScale"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8f3b4a356435508e25548cbd6138ebba1f62af53"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015143","StartTime":"2026-02-08T22:26:58.8898564+00:00","EndTime":"2026-02-08T22:26:58.8938902+00:00","Properties":[]},{"TestCase":{"Id":"754486ab-2a78-0e34-ed0e-27e202154c7e","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes","DisplayName":"DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MaxLength_UsesUtf8Bytes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"368b48cf4819579ca4fa59f4cf28731bfc026a0f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016239","StartTime":"2026-02-08T22:26:58.8888784+00:00","EndTime":"2026-02-08T22:26:58.8941327+00:00","Properties":[]},{"TestCase":{"Id":"fdf5cc96-6734-c39c-7425-02409498c427","FullyQualifiedName":"DecentDB.Tests.TransactionTests.AutoRollbackOnDispose","DisplayName":"DecentDB.Tests.TransactionTests.AutoRollbackOnDispose","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AutoRollbackOnDispose"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4a51853ae46b32ce556934ed4735e8d013848487"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TransactionTests.AutoRollbackOnDispose","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011747","StartTime":"2026-02-08T22:26:58.8906447+00:00","EndTime":"2026-02-08T22:26:58.8942535+00:00","Properties":[]},{"TestCase":{"Id":"20c3c29b-7c67-a31d-55e7-f235cc05d8d3","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBException_HasCorrectProperties"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8b424eecaede8065f38fc9d7a73e9d5724d427bd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008975","StartTime":"2026-02-08T22:26:58.8920289+00:00","EndTime":"2026-02-08T22:26:58.8945865+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":69,"Stats":{"Passed":69}},"ActiveTests":[{"Id":"fa469f6f-17af-ac42-4dd4-b77566604395","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_RoundTrip","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a382563cabc7ad5a73cb5fd44d58355361e05d88"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},{"Id":"de43221d-e8e7-dc20-1de4-c9922cdc544e","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_HighValue_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bf3bfbbb3d9e7c05c0e96e733c4f175973685e5c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"9cf8d764-ca66-213e-99f5-bf6746d5973e","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip","DisplayName":"DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f1d29da09ea24e76a59afab4005376dbbcde9b1d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},{"Id":"4db15c91-7ebc-86d2-35f5-cce5292b76e4","FullyQualifiedName":"DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported","DisplayName":"DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NestedTransactionsNotSupported"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e026d4843612b972077c601d5903361e488c03c2"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},{"Id":"6c618b27-d6ee-3544-d82c-6a45a0f8e71e","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_NegativeLargeValue_Works"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b99f8d37dbc80818dc35a4cd614cc278612d9900"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.902, 376298715395361, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.902, 376298715424496, vstest.console.dll, InProgress is DecentDB.Tests.DecimalTests.Decimal_RoundTrip
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.902, 376298715438622, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.902, 376298715454242, vstest.console.dll, InProgress is DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.902, 376298715469551, vstest.console.dll, InProgress is DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.902, 376298715484158, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.902, 376298715509055, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.902, 376298715523953, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.902, 376298715539842, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.902, 376298715537077, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.902, 376298715604534, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.902, 376298715632466, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.902, 376298715605416, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.902, 376298715688341, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.902, 376298715745238, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.902, 376298715775134, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.902, 376298715821642, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"d9444345-34d8-ae97-36b5-5e21b1c2159a","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindMultipleTypesInSingleStatement"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0b819ef1f1ef630994e60062bebeb06b862606fd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0282637","StartTime":"2026-02-08T22:26:58.8195387+00:00","EndTime":"2026-02-08T22:26:58.8953067+00:00","Properties":[]},{"TestCase":{"Id":"2ba69c73-1f73-4ea8-fc16-2dcf07547641","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios","DisplayName":"DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CommandTimeoutScenarios"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"155f50b64ea889a3e09df1fd7dd6c9333d6e327c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011590","StartTime":"2026-02-08T22:26:58.8928106+00:00","EndTime":"2026-02-08T22:26:58.8955896+00:00","Properties":[]},{"TestCase":{"Id":"97a7713a-dfde-597d-d261-c949144fee53","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.DoubleBindNull","DisplayName":"DecentDB.Tests.NativeLayerTests.DoubleBindNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DoubleBindNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"603df9593ad350c447ea42abf41d66322a3b42db"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.DoubleBindNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013656","StartTime":"2026-02-08T22:26:58.8922923+00:00","EndTime":"2026-02-08T22:26:58.8958428+00:00","Properties":[]},{"TestCase":{"Id":"620c5c7e-9611-4523-616d-fe0f7a9a7eb0","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues","DisplayName":"DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Int64_BoundaryValues"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"25cc9f44b191deb80d9d7ac6e7fc1c04f8f1ef92"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020347","StartTime":"2026-02-08T22:26:58.8909829+00:00","EndTime":"2026-02-08T22:26:58.8960973+00:00","Properties":[]},{"TestCase":{"Id":"27d1dee7-8280-c3bd-4925-e0334e28bd0e","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.HasRowsAndDepth","DisplayName":"DecentDB.Tests.DataReaderTests.HasRowsAndDepth","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"HasRowsAndDepth"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"63f4ee847257afd210a60c88ea920a83e49121fc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.HasRowsAndDepth","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019452","StartTime":"2026-02-08T22:26:58.8917851+00:00","EndTime":"2026-02-08T22:26:58.8963578+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":74,"Stats":{"Passed":74}},"ActiveTests":[{"Id":"fff966c6-fb62-c2ef-b78c-abf489a18cb1","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindParametersAtExtremeIndices"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"54d0247664af93870716b04db9aef0563c8199d6"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"1a261586-4ae0-568b-7ed2-1bb4f89ac4ee","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation","DisplayName":"DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MicroOrm_EntityValidation"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"225dc549fdc3b4b203bbd23275105bf969c2002f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"6ef88a32-5315-b95a-2f5c-fa20480bc58c","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GuidBindingAndRetrieval"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6e8bdfc4dfb2bef7e1d07aa09ec70d909ef42cd1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"ffc165f2-ce91-3360-78d8-287db827c828","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse","DisplayName":"DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Bool_TrueAndFalse"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"27382039f7f8332297bab30e671ee540bbc2ccf7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"370ef913-c63e-788d-4032-cf09b0b93e7e","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetGuid","DisplayName":"DecentDB.Tests.DataReaderTests.GetGuid","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetGuid"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9bb6bb833a5506f2f7a6b463d0aaeb15e070b9af"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.903, 376298717124018, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.904, 376298717152431, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.904, 376298717167058, vstest.console.dll, InProgress is DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.904, 376298717180854, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.904, 376298717194269, vstest.console.dll, InProgress is DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.904, 376298717208556, vstest.console.dll, InProgress is DecentDB.Tests.DataReaderTests.GetGuid
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.904, 376298717231259, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.904, 376298717245796, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.904, 376298717256236, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.904, 376298717262608, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.904, 376298717303124, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.904, 376298717314395, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.904, 376298717335104, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.904, 376298717368647, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.904, 376298717368787, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.904, 376298717419673, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.904, 376298717574904, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"6c618b27-d6ee-3544-d82c-6a45a0f8e71e","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_NegativeLargeValue_Works"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b99f8d37dbc80818dc35a4cd614cc278612d9900"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009641","StartTime":"2026-02-08T22:26:58.8952499+00:00","EndTime":"2026-02-08T22:26:58.8970965+00:00","Properties":[]},{"TestCase":{"Id":"de43221d-e8e7-dc20-1de4-c9922cdc544e","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_HighValue_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bf3bfbbb3d9e7c05c0e96e733c4f175973685e5c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013880","StartTime":"2026-02-08T22:26:58.894081+00:00","EndTime":"2026-02-08T22:26:58.8973646+00:00","Properties":[]},{"TestCase":{"Id":"56734fb1-3027-aead-4696-55c05a9ddd5b","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithPositionalParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithPositionalParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithPositionalParameters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0395970922ecbe42c094c2e5cc03bbc5906a10a4"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.SelectWithPositionalParameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0292544","StartTime":"2026-02-08T22:26:58.8241844+00:00","EndTime":"2026-02-08T22:26:58.8975916+00:00","Properties":[]},{"TestCase":{"Id":"5e85abc4-eff8-87eb-d5ff-f7b27f846d00","FullyQualifiedName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_WithFilter_CorrectRowCount","DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_WithFilter_CorrectRowCount","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExplainAnalyze_WithFilter_CorrectRowCount"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6d04b7cc2fc0c49c2d5e67f173550e63aef98ff7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ExplainAnalyzeTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_WithFilter_CorrectRowCount","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0018319","StartTime":"2026-02-08T22:26:58.8935353+00:00","EndTime":"2026-02-08T22:26:58.8978281+00:00","Properties":[]},{"TestCase":{"Id":"2da5cb7e-7045-94f0-81a9-5a24d0c8c9ab","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SafeHandles_IsInvalid_Property"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d714e04ca1f688b07027e5abd5a514553f53d751"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002281","StartTime":"2026-02-08T22:26:58.8975403+00:00","EndTime":"2026-02-08T22:26:58.8980788+00:00","Properties":[]},{"TestCase":{"Id":"fff966c6-fb62-c2ef-b78c-abf489a18cb1","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindParametersAtExtremeIndices"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"54d0247664af93870716b04db9aef0563c8199d6"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013194","StartTime":"2026-02-08T22:26:58.8955117+00:00","EndTime":"2026-02-08T22:26:58.8983072+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":80,"Stats":{"Passed":80}},"ActiveTests":[{"Id":"bf073563-b61e-9136-3795-ef68237074d1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnStepAfterFinalize"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"de9ae0d30bdbd314246c6d1c830e13943cee7510"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"898590e0-4291-27e9-9894-6605f9ecaed0","FullyQualifiedName":"DecentDB.Tests.DmlTests.ExecuteScalar","DisplayName":"DecentDB.Tests.DmlTests.ExecuteScalar","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExecuteScalar"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2c903838ab776a17d561e65e0eb196235880ee7e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},{"Id":"a7278cbd-e6ef-56db-0c24-bd521bc54bd4","FullyQualifiedName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_EmptyTable_ZeroRows","DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_EmptyTable_ZeroRows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExplainAnalyze_EmptyTable_ZeroRows"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8b5cebad56b290dada28ac05de9655778d781021"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ExplainAnalyzeTests"}]},{"Id":"495d98e5-4857-272d-736a-7f294f6483f8","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Getters_OutOfBoundsIndex"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"da9d4c2fdd07266a070c0a111b59722db6ecbc26"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.905, 376298718884123, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.905, 376298718914250, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.905, 376298718929959, vstest.console.dll, InProgress is DecentDB.Tests.DmlTests.ExecuteScalar
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.905, 376298718943845, vstest.console.dll, InProgress is DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_EmptyTable_ZeroRows
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.905, 376298718957310, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.905, 376298718978821, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.905, 376298718989802, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.905, 376298718995262, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.905, 376298719026370, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.905, 376298719031109, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.905, 376298719087565, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.905, 376298719091853, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.905, 376298719122511, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.905, 376298719124054, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.906, 376298719151405, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.906, 376298719195909, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.906, 376298719342073, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"bf073563-b61e-9136-3795-ef68237074d1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnStepAfterFinalize"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"de9ae0d30bdbd314246c6d1c830e13943cee7510"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008478","StartTime":"2026-02-08T22:26:58.8973002+00:00","EndTime":"2026-02-08T22:26:58.9017362+00:00","Properties":[]},{"TestCase":{"Id":"495d98e5-4857-272d-736a-7f294f6483f8","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Getters_OutOfBoundsIndex"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"da9d4c2fdd07266a070c0a111b59722db6ecbc26"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007054","StartTime":"2026-02-08T22:26:58.8982391+00:00","EndTime":"2026-02-08T22:26:58.9020006+00:00","Properties":[]},{"TestCase":{"Id":"4db15c91-7ebc-86d2-35f5-cce5292b76e4","FullyQualifiedName":"DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported","DisplayName":"DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NestedTransactionsNotSupported"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e026d4843612b972077c601d5903361e488c03c2"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023909","StartTime":"2026-02-08T22:26:58.894513+00:00","EndTime":"2026-02-08T22:26:58.9022408+00:00","Properties":[]},{"TestCase":{"Id":"ffc165f2-ce91-3360-78d8-287db827c828","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse","DisplayName":"DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Bool_TrueAndFalse"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"27382039f7f8332297bab30e671ee540bbc2ccf7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015460","StartTime":"2026-02-08T22:26:58.8962694+00:00","EndTime":"2026-02-08T22:26:58.9024267+00:00","Properties":[]},{"TestCase":{"Id":"a7278cbd-e6ef-56db-0c24-bd521bc54bd4","FullyQualifiedName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_EmptyTable_ZeroRows","DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_EmptyTable_ZeroRows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExplainAnalyze_EmptyTable_ZeroRows"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8b5cebad56b290dada28ac05de9655778d781021"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ExplainAnalyzeTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_EmptyTable_ZeroRows","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009616","StartTime":"2026-02-08T22:26:58.8979993+00:00","EndTime":"2026-02-08T22:26:58.9026602+00:00","Properties":[]},{"TestCase":{"Id":"898590e0-4291-27e9-9894-6605f9ecaed0","FullyQualifiedName":"DecentDB.Tests.DmlTests.ExecuteScalar","DisplayName":"DecentDB.Tests.DmlTests.ExecuteScalar","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExecuteScalar"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2c903838ab776a17d561e65e0eb196235880ee7e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.ExecuteScalar","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011734","StartTime":"2026-02-08T22:26:58.8977626+00:00","EndTime":"2026-02-08T22:26:58.9028414+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":86,"Stats":{"Passed":86}},"ActiveTests":[{"Id":"f71550d2-c6a8-4642-9b15-124c9bee0cea","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_MultipleStepsAndResets"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8a486f320c666503c231a777008f32943f5c2743"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"187fbf00-a7bb-901e-0a1e-fe6538528c34","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_WithInvalidOptions_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e157122c0da7457fe6fb276b0df5fe64550b5f2f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"cf2b7d47-6b7a-c825-83bd-861dcc272b9c","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Dispose_MultipleTimes_DoesNotThrow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e95a9f7d9d8a0d1ddf0f91890d6f98cef1c46b27"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"461a87d7-1105-9952-0df1-5cd12ec07e6b","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Float64_Precision","DisplayName":"DecentDB.Tests.AllDataTypesTests.Float64_Precision","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Float64_Precision"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"762c98a006c4d52224087c0b7244a83a15b69c0b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.907, 376298720737053, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.907, 376298720766308, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.907, 376298720785674, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.907, 376298720798939, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.907, 376298720812575, vstest.console.dll, InProgress is DecentDB.Tests.AllDataTypesTests.Float64_Precision
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.907, 376298720836620, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.907, 376298720851338, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.907, 376298720865885, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.907, 376298720869442, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.907, 376298720882606, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.907, 376298720926318, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.907, 376298720931488, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.907, 376298720967385, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.907, 376298720997793, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.907, 376298721029292, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.907, 376298721063596, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.908, 376298721159887, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"fa469f6f-17af-ac42-4dd4-b77566604395","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_RoundTrip","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a382563cabc7ad5a73cb5fd44d58355361e05d88"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecimalTests.Decimal_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0033425","StartTime":"2026-02-08T22:26:58.8937975+00:00","EndTime":"2026-02-08T22:26:58.903607+00:00","Properties":[]},{"TestCase":{"Id":"cf2b7d47-6b7a-c825-83bd-861dcc272b9c","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Dispose_MultipleTimes_DoesNotThrow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e95a9f7d9d8a0d1ddf0f91890d6f98cef1c46b27"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007360","StartTime":"2026-02-08T22:26:58.9021767+00:00","EndTime":"2026-02-08T22:26:58.9037868+00:00","Properties":[]},{"TestCase":{"Id":"370ef913-c63e-788d-4032-cf09b0b93e7e","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetGuid","DisplayName":"DecentDB.Tests.DataReaderTests.GetGuid","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetGuid"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9bb6bb833a5506f2f7a6b463d0aaeb15e070b9af"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetGuid","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020667","StartTime":"2026-02-08T22:26:58.8970418+00:00","EndTime":"2026-02-08T22:26:58.9040433+00:00","Properties":[]},{"TestCase":{"Id":"6ef88a32-5315-b95a-2f5c-fa20480bc58c","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GuidBindingAndRetrieval"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6e8bdfc4dfb2bef7e1d07aa09ec70d909ef42cd1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023507","StartTime":"2026-02-08T22:26:58.8960453+00:00","EndTime":"2026-02-08T22:26:58.9043008+00:00","Properties":[]},{"TestCase":{"Id":"187fbf00-a7bb-901e-0a1e-fe6538528c34","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_WithInvalidOptions_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e157122c0da7457fe6fb276b0df5fe64550b5f2f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013576","StartTime":"2026-02-08T22:26:58.9019365+00:00","EndTime":"2026-02-08T22:26:58.9045513+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":91,"Stats":{"Passed":91}},"ActiveTests":[{"Id":"33529275-7d1b-ebbb-027e-205f696483b2","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithNamedParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithNamedParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithNamedParameters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3cdda7aa2ad98ac4da78188fafa8c5bb66e290f3"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},{"Id":"77b11dc1-bb69-864b-ffb8-e2aff59cc4df","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_Overflow_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ef75bdcb9d066edd1b539f0b154d50c6327dce70"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"d49a9a10-d54d-1ed3-ebab-a2bbc25b0546","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetDataTypeName","DisplayName":"DecentDB.Tests.DataReaderTests.GetDataTypeName","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetDataTypeName"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cdd1b96e7e8a62c45544544be3a75e91feef0eb3"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"f8d70f4e-e526-c9a5-e2b6-ccac2d764d95","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"BoolBindingAndRetrieval"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7d032fdf4e296ccbb411cbb6e51fdf248d880438"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"8e2bc982-dc42-ec80-44d0-70054bbf7789","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e66d4e720f0a3deced274c68bff0f6daafa0c487"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.909, 376298722766023, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.909, 376298722810407, vstest.console.dll, InProgress is DecentDB.Tests.DmlTests.SelectWithNamedParameters
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.909, 376298722830124, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.909, 376298722848598, vstest.console.dll, InProgress is DecentDB.Tests.DataReaderTests.GetDataTypeName
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.909, 376298722861833, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.909, 376298722876781, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.909, 376298722901418, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.909, 376298722916366, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.909, 376298722931765, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.909, 376298722930673, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.909, 376298722951963, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 2 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.909, 376298722992739, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.909, 376298722999231, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.909, 376298723029438, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.909, 376298723062931, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.909, 376298723104449, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.910, 376298723184018, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"f71550d2-c6a8-4642-9b15-124c9bee0cea","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_MultipleStepsAndResets"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8a486f320c666503c231a777008f32943f5c2743"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017145","StartTime":"2026-02-08T22:26:58.9016632+00:00","EndTime":"2026-02-08T22:26:58.905221+00:00","Properties":[]},{"TestCase":{"Id":"33529275-7d1b-ebbb-027e-205f696483b2","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithNamedParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithNamedParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithNamedParameters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3cdda7aa2ad98ac4da78188fafa8c5bb66e290f3"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.SelectWithNamedParameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012460","StartTime":"2026-02-08T22:26:58.9035419+00:00","EndTime":"2026-02-08T22:26:58.9055057+00:00","Properties":[]},{"TestCase":{"Id":"d49a9a10-d54d-1ed3-ebab-a2bbc25b0546","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetDataTypeName","DisplayName":"DecentDB.Tests.DataReaderTests.GetDataTypeName","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetDataTypeName"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cdd1b96e7e8a62c45544544be3a75e91feef0eb3"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetDataTypeName","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011842","StartTime":"2026-02-08T22:26:58.9042292+00:00","EndTime":"2026-02-08T22:26:58.9057387+00:00","Properties":[]},{"TestCase":{"Id":"77b11dc1-bb69-864b-ffb8-e2aff59cc4df","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_Overflow_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ef75bdcb9d066edd1b539f0b154d50c6327dce70"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013883","StartTime":"2026-02-08T22:26:58.9039901+00:00","EndTime":"2026-02-08T22:26:58.9060176+00:00","Properties":[]},{"TestCase":{"Id":"461a87d7-1105-9952-0df1-5cd12ec07e6b","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Float64_Precision","DisplayName":"DecentDB.Tests.AllDataTypesTests.Float64_Precision","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Float64_Precision"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"762c98a006c4d52224087c0b7244a83a15b69c0b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Float64_Precision","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0021032","StartTime":"2026-02-08T22:26:58.9026196+00:00","EndTime":"2026-02-08T22:26:58.9062649+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":96,"Stats":{"Passed":96}},"ActiveTests":[{"Id":"f6f3a14d-fa45-f1e8-0164-bdf44936f273","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindText_WithVeryLongString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a2ed03b20fad28d8e22842f7bd09e5bca8fa74e8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"dfebeb0f-c17a-fccd-e3a0-364461e7d033","FullyQualifiedName":"DecentDB.Tests.DmlTests.UpdateAndDelete","DisplayName":"DecentDB.Tests.DmlTests.UpdateAndDelete","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAndDelete"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7457bcb6567538a58faa8d97138721c40f6c79ee"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},{"Id":"8e72e101-94af-da78-f802-0f9c08cf21fa","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.IndexerAccess","DisplayName":"DecentDB.Tests.DataReaderTests.IndexerAccess","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"IndexerAccess"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d830cd81d14a10a493f8e506f7f2a9f066ccf08b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"3d5e7dde-d973-d621-3507-fa0bdd1942bb","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_NullArray"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f39ea490af8f2204039def4d502416f5391256d1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"c9d1ae63-d030-9c5d-2d06-4772488cb53e","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes","DisplayName":"DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetValue_ReturnsCorrectBoxedTypes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"92627d7c162deb2b05fe4fbd3bd08bd228e79063"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.911, 376298724438995, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.911, 376298724466457, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.911, 376298724480603, vstest.console.dll, InProgress is DecentDB.Tests.DmlTests.UpdateAndDelete
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.911, 376298724493658, vstest.console.dll, InProgress is DecentDB.Tests.DataReaderTests.IndexerAccess
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.911, 376298724507213, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.911, 376298724522011, vstest.console.dll, InProgress is DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.911, 376298724543622, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.911, 376298724558339, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.911, 376298724573868, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.911, 376298724594096, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.911, 376298724570121, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.911, 376298724611800, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.911, 376298724650893, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.911, 376298724689055, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.911, 376298724722658, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.911, 376298724754488, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.911, 376298724821844, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"8e2bc982-dc42-ec80-44d0-70054bbf7789","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e66d4e720f0a3deced274c68bff0f6daafa0c487"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015245","StartTime":"2026-02-08T22:26:58.9051793+00:00","EndTime":"2026-02-08T22:26:58.9070242+00:00","Properties":[]},{"TestCase":{"Id":"f8d70f4e-e526-c9a5-e2b6-ccac2d764d95","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"BoolBindingAndRetrieval"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7d032fdf4e296ccbb411cbb6e51fdf248d880438"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017388","StartTime":"2026-02-08T22:26:58.9044745+00:00","EndTime":"2026-02-08T22:26:58.9072138+00:00","Properties":[]},{"TestCase":{"Id":"dfebeb0f-c17a-fccd-e3a0-364461e7d033","FullyQualifiedName":"DecentDB.Tests.DmlTests.UpdateAndDelete","DisplayName":"DecentDB.Tests.DmlTests.UpdateAndDelete","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAndDelete"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7457bcb6567538a58faa8d97138721c40f6c79ee"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.UpdateAndDelete","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013718","StartTime":"2026-02-08T22:26:58.9056756+00:00","EndTime":"2026-02-08T22:26:58.907483+00:00","Properties":[]},{"TestCase":{"Id":"3d5e7dde-d973-d621-3507-fa0bdd1942bb","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_NullArray"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f39ea490af8f2204039def4d502416f5391256d1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008777","StartTime":"2026-02-08T22:26:58.9062117+00:00","EndTime":"2026-02-08T22:26:58.9077241+00:00","Properties":[]},{"TestCase":{"Id":"8e72e101-94af-da78-f802-0f9c08cf21fa","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.IndexerAccess","DisplayName":"DecentDB.Tests.DataReaderTests.IndexerAccess","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"IndexerAccess"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d830cd81d14a10a493f8e506f7f2a9f066ccf08b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.IndexerAccess","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014071","StartTime":"2026-02-08T22:26:58.9059527+00:00","EndTime":"2026-02-08T22:26:58.9080605+00:00","Properties":[]},{"TestCase":{"Id":"757dd737-b933-2262-4371-4b716f45b747","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TextBindingAndRetrieval"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8abc5b667abacff7a96aee1714fa914f57527015"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010344","StartTime":"2026-02-08T22:26:58.9074187+00:00","EndTime":"2026-02-08T22:26:58.908364+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":102,"Stats":{"Passed":102}},"ActiveTests":[{"Id":"f33220a7-1a4d-247c-b3ed-6aef6a2c4b73","FullyQualifiedName":"DecentDB.Tests.DmlTests.CreateTableAndInsert","DisplayName":"DecentDB.Tests.DmlTests.CreateTableAndInsert","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CreateTableAndInsert"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"870bf01b3154b84e74cd404e3e561bbd279e9d40"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},{"Id":"cbbafa89-c465-99b3-9a26-eb241842e6b2","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnMetadata_OutOfBoundsIndex"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fe1def8e9984bc7a9dae59ba4edb17c7fecc9e0b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"36d27bec-f5a0-ec59-0b9b-9cc0e745bdde","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetFieldValue","DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldValue","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetFieldValue"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ede64bbcd91c03b0bb1736828f82fd6933d57663"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"6b1c661a-37d3-0d6c-cef5-8c2a92391e43","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.RowView","DisplayName":"DecentDB.Tests.NativeLayerTests.RowView","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"935027d154e6850f220464a799675c2251f1972d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.912, 376298726113400, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.913, 376298726145169, vstest.console.dll, InProgress is DecentDB.Tests.DmlTests.CreateTableAndInsert
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.913, 376298726159707, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.913, 376298726174404, vstest.console.dll, InProgress is DecentDB.Tests.DataReaderTests.GetFieldValue
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.913, 376298726187489, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.RowView
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.913, 376298726209741, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.913, 376298726225901, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.913, 376298726240599, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.913, 376298726262450, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.913, 376298726280804, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.913, 376298726274823, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.913, 376298726365704, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.913, 376298726398565, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.913, 376298726429644, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.913, 376298726458778, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"cbbafa89-c465-99b3-9a26-eb241842e6b2","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnMetadata_OutOfBoundsIndex"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fe1def8e9984bc7a9dae59ba4edb17c7fecc9e0b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007623","StartTime":"2026-02-08T22:26:58.9079957+00:00","EndTime":"2026-02-08T22:26:58.9092226+00:00","Properties":[]},{"TestCase":{"Id":"f33220a7-1a4d-247c-b3ed-6aef6a2c4b73","FullyQualifiedName":"DecentDB.Tests.DmlTests.CreateTableAndInsert","DisplayName":"DecentDB.Tests.DmlTests.CreateTableAndInsert","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CreateTableAndInsert"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"870bf01b3154b84e74cd404e3e561bbd279e9d40"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.CreateTableAndInsert","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010931","StartTime":"2026-02-08T22:26:58.907657+00:00","EndTime":"2026-02-08T22:26:58.9094573+00:00","Properties":[]},{"TestCase":{"Id":"b794905d-2c43-2f54-028a-8d4ac6400002","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase","DisplayName":"DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenNonExistentDatabase"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c2797006393d41ad5ff26849e7767ec0ea1cd9eb"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0093494","StartTime":"2026-02-08T22:26:58.8866868+00:00","EndTime":"2026-02-08T22:26:58.9097153+00:00","Properties":[]},{"TestCase":{"Id":"f6f3a14d-fa45-f1e8-0164-bdf44936f273","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindText_WithVeryLongString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a2ed03b20fad28d8e22842f7bd09e5bca8fa74e8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0037724","StartTime":"2026-02-08T22:26:58.905441+00:00","EndTime":"2026-02-08T22:26:58.9099535+00:00","Properties":[]},{"TestCase":{"Id":"6b1c661a-37d3-0d6c-cef5-8c2a92391e43","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.RowView","DisplayName":"DecentDB.Tests.NativeLayerTests.RowView","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"935027d154e6850f220464a799675c2251f1972d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.RowView","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016602","StartTime":"2026-02-08T22:26:58.9091533+00:00","EndTime":"2026-02-08T22:26:58.9102338+00:00","Properties":[]},{"TestCase":{"Id":"c9d1ae63-d030-9c5d-2d06-4772488cb53e","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes","DisplayName":"DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetValue_ReturnsCorrectBoxedTypes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"92627d7c162deb2b05fe4fbd3bd08bd228e79063"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0032085","StartTime":"2026-02-08T22:26:58.9069554+00:00","EndTime":"2026-02-08T22:26:58.9104791+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":108,"Stats":{"Passed":108}},"ActiveTests":[{"Id":"12fdf661-4623-41b8-585a-19977f726a2e","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithMultipleParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithMultipleParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithMultipleParameters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"903dfaa5134c95ac7c34e0c17370dd9b1630b74d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},{"Id":"282f5bbd-942c-2509-19d2-68c1c06d0506","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindGuid_WithMaxValue"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a6d79fbb5f792185c66fe8b70f96a457c2b8d6b3"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"ba415e74-9550-70c6-90ae-6e319501a832","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.ErrorHandling","DisplayName":"DecentDB.Tests.NativeLayerTests.ErrorHandling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ErrorHandling"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9432f772d0371657b2035141b1fe23516472d9f4"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"eb4422f0-3bc1-ac53-2fe6-96a01ab57e29","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues","DisplayName":"DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Uuid_MultipleValues"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a3c0863e945d4c2d6d47db7786e9f108ad6aa7f6"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.913, 376298726461544, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.913, 376298726563796, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.914, 376298727788385, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.914, 376298727830585, vstest.console.dll, InProgress is DecentDB.Tests.DmlTests.SelectWithMultipleParameters
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.914, 376298727846014, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.914, 376298727860220, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.ErrorHandling
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.914, 376298727872964, vstest.console.dll, InProgress is DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.914, 376298727896589, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.914, 376298727913621, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.914, 376298727917328, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.914, 376298727960128, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.914, 376298727989643, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.914, 376298727965378, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.914, 376298728031933, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.914, 376298728036461, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.914, 376298728076116, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.914, 376298728104609, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.915, 376298728130057, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.915, 376298728222471, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"282f5bbd-942c-2509-19d2-68c1c06d0506","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindGuid_WithMaxValue"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a6d79fbb5f792185c66fe8b70f96a457c2b8d6b3"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010341","StartTime":"2026-02-08T22:26:58.9101691+00:00","EndTime":"2026-02-08T22:26:58.911241+00:00","Properties":[]},{"TestCase":{"Id":"12fdf661-4623-41b8-585a-19977f726a2e","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithMultipleParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithMultipleParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithMultipleParameters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"903dfaa5134c95ac7c34e0c17370dd9b1630b74d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.SelectWithMultipleParameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020315","StartTime":"2026-02-08T22:26:58.9096729+00:00","EndTime":"2026-02-08T22:26:58.9115578+00:00","Properties":[]},{"TestCase":{"Id":"ba415e74-9550-70c6-90ae-6e319501a832","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.ErrorHandling","DisplayName":"DecentDB.Tests.NativeLayerTests.ErrorHandling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ErrorHandling"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9432f772d0371657b2035141b1fe23516472d9f4"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.ErrorHandling","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009039","StartTime":"2026-02-08T22:26:58.9104153+00:00","EndTime":"2026-02-08T22:26:58.9118483+00:00","Properties":[]},{"TestCase":{"Id":"27473ec4-9ff3-dc09-c5d3-8264915b4891","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_WithDifferentEntityTypes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"04a26d50f2980c51dac96819fb7eadfa54cba0ec"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0408981","StartTime":"2026-02-08T22:26:58.8242023+00:00","EndTime":"2026-02-08T22:26:58.9120897+00:00","Properties":[]},{"TestCase":{"Id":"eef85a2c-8dcf-89ea-5828-78e763cef34d","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperScalar","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperScalar","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperScalar"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"18c05465f695461bcaa8720adfd4db8911dca4bc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperScalar","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0409131","StartTime":"2026-02-08T22:26:58.8241272+00:00","EndTime":"2026-02-08T22:26:58.9123047+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":113,"Stats":{"Passed":113}},"ActiveTests":[{"Id":"d4d60062-34b2-c3cf-e1c1-ea9c74e02aa4","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindFloatWithExtremeValues"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b9144cf4114414eb90c7aef890ed271e94387e4d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"713407d2-3ac4-09cf-4203-9a0cea21e323","FullyQualifiedName":"DecentDB.Tests.DmlTests.NullParameterHandling","DisplayName":"DecentDB.Tests.DmlTests.NullParameterHandling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NullParameterHandling"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e4a6167338cd7c4d804e54331caf26a1a3c32a98"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},{"Id":"6cb1b4c1-098f-2b38-577a-84f319dc8356","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.MultipleRows","DisplayName":"DecentDB.Tests.NativeLayerTests.MultipleRows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MultipleRows"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"af8391aa29bc770ce750bad358880a320d46ad35"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"7b7821b5-dd6e-ae2f-b80c-1b83b7a4bd3c","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_BeginTransaction"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"11f5ddc1145b9296ade878d1a6f63f242c101a5b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"76f5d7ad-3f72-3483-57fe-4356c31211fe","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperAsync","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperAsync"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1f20a463a21014e1a1ae4626361cf8cff8136c20"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.916, 376298729540726, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.916, 376298729576984, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.916, 376298729597383, vstest.console.dll, InProgress is DecentDB.Tests.DmlTests.NullParameterHandling
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.916, 376298729615016, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.MultipleRows
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.916, 376298729632669, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.916, 376298729651615, vstest.console.dll, InProgress is DecentDB.Tests.DapperIntegrationTests.TestDapperAsync
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.916, 376298729695838, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.916, 376298729705696, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.916, 376298729719111, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.916, 376298729761882, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.916, 376298729777802, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.916, 376298729813058, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.916, 376298729819730, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.916, 376298729863012, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.916, 376298729866769, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.916, 376298729909339, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.917, 376298730135383, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"713407d2-3ac4-09cf-4203-9a0cea21e323","FullyQualifiedName":"DecentDB.Tests.DmlTests.NullParameterHandling","DisplayName":"DecentDB.Tests.DmlTests.NullParameterHandling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NullParameterHandling"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e4a6167338cd7c4d804e54331caf26a1a3c32a98"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.NullParameterHandling","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008284","StartTime":"2026-02-08T22:26:58.9117848+00:00","EndTime":"2026-02-08T22:26:58.9130343+00:00","Properties":[]},{"TestCase":{"Id":"36d27bec-f5a0-ec59-0b9b-9cc0e745bdde","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetFieldValue","DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldValue","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetFieldValue"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ede64bbcd91c03b0bb1736828f82fd6933d57663"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldValue","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0039047","StartTime":"2026-02-08T22:26:58.9082745+00:00","EndTime":"2026-02-08T22:26:58.9132986+00:00","Properties":[]},{"TestCase":{"Id":"81db0525-875a-0ef0-d7c7-204f2f2ecb6c","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithP0Parameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithP0Parameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithP0Parameters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"eb492bb1042290fb984a20d90a0969c9852a7bca"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.SelectWithP0Parameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008701","StartTime":"2026-02-08T22:26:58.913233+00:00","EndTime":"2026-02-08T22:26:58.9135573+00:00","Properties":[]},{"TestCase":{"Id":"d4d60062-34b2-c3cf-e1c1-ea9c74e02aa4","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindFloatWithExtremeValues"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b9144cf4114414eb90c7aef890ed271e94387e4d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020496","StartTime":"2026-02-08T22:26:58.9114611+00:00","EndTime":"2026-02-08T22:26:58.9137131+00:00","Properties":[]},{"TestCase":{"Id":"6cb1b4c1-098f-2b38-577a-84f319dc8356","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.MultipleRows","DisplayName":"DecentDB.Tests.NativeLayerTests.MultipleRows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MultipleRows"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"af8391aa29bc770ce750bad358880a320d46ad35"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.MultipleRows","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017556","StartTime":"2026-02-08T22:26:58.9120249+00:00","EndTime":"2026-02-08T22:26:58.9139513+00:00","Properties":[]},{"TestCase":{"Id":"eb4422f0-3bc1-ac53-2fe6-96a01ab57e29","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues","DisplayName":"DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Uuid_MultipleValues"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a3c0863e945d4c2d6d47db7786e9f108ad6aa7f6"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0029185","StartTime":"2026-02-08T22:26:58.9111624+00:00","EndTime":"2026-02-08T22:26:58.9142277+00:00","Properties":[]},{"TestCase":{"Id":"94a4ac31-7527-aae2-b45b-0b8dbd09284c","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Non_Pooled_Mode_Works"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4e4fd70a7815457e2bfe4f1ea99fe5e9a241c1af"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0251949","StartTime":"2026-02-08T22:26:58.8597883+00:00","EndTime":"2026-02-08T22:26:58.9143553+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":120,"Stats":{"Passed":120}},"ActiveTests":[{"Id":"b2b8985b-0a8b-e888-8e86-d6626f184ede","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetFieldType","DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldType","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetFieldType"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f7738d2a43618f84cc0790b093496da5de540653"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"f6e137b8-9752-db8d-a589-7f44614a5a40","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnName_WithSpecialCharacters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cb2671a9a2dce4d04ad54a713b9408d7e9f44e61"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"8ba36eed-8093-08b9-2c23-e984e7f6bfe7","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecimalBindingAndRetrieval"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b678de00515aa4943c54802754e7c31677fdfaa5"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.918, 376298731701003, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.918, 376298731735588, vstest.console.dll, InProgress is DecentDB.Tests.DataReaderTests.GetFieldType
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.918, 376298731751308, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.918, 376298731765965, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.918, 376298731791894, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.918, 376298731808946, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.918, 376298731814517, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.918, 376298731827822, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.918, 376298731868328, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.918, 376298731882364, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 2 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.918, 376298731924072, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.918, 376298731929022, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.918, 376298731959098, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.918, 376298731992801, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.918, 376298732018840, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.918, 376298732045671, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.919, 376298732146219, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"1a261586-4ae0-568b-7ed2-1bb4f89ac4ee","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation","DisplayName":"DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MicroOrm_EntityValidation"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"225dc549fdc3b4b203bbd23275105bf969c2002f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0101045","StartTime":"2026-02-08T22:26:58.8957774+00:00","EndTime":"2026-02-08T22:26:58.9151886+00:00","Properties":[]},{"TestCase":{"Id":"b2b8985b-0a8b-e888-8e86-d6626f184ede","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetFieldType","DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldType","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetFieldType"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f7738d2a43618f84cc0790b093496da5de540653"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldType","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012587","StartTime":"2026-02-08T22:26:58.9134711+00:00","EndTime":"2026-02-08T22:26:58.9154613+00:00","Properties":[]},{"TestCase":{"Id":"f6e137b8-9752-db8d-a589-7f44614a5a40","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnName_WithSpecialCharacters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cb2671a9a2dce4d04ad54a713b9408d7e9f44e61"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012198","StartTime":"2026-02-08T22:26:58.9138857+00:00","EndTime":"2026-02-08T22:26:58.915653+00:00","Properties":[]},{"TestCase":{"Id":"7b7821b5-dd6e-ae2f-b80c-1b83b7a4bd3c","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_BeginTransaction"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"11f5ddc1145b9296ade878d1a6f63f242c101a5b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024369","StartTime":"2026-02-08T22:26:58.9122656+00:00","EndTime":"2026-02-08T22:26:58.9158941+00:00","Properties":[]},{"TestCase":{"Id":"a9dd18dd-e480-0336-9fe9-759f4997682e","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed","DisplayName":"DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Transactions_Are_Properly_Managed"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"78ff761a0db8d19544fabf028dd4c0006953fad0"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009993","StartTime":"2026-02-08T22:26:58.9151374+00:00","EndTime":"2026-02-08T22:26:58.9161659+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":125,"Stats":{"Passed":125}},"ActiveTests":[{"Id":"46599b34-7ba6-28e9-5ecb-dded6f1fa1c5","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip","DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllTypes_InsertAndSelect_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a83fe71dcaf79df2d6d6ef5426e16e0b08eef8ce"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"907dda6a-e647-2941-e5ec-1c7e83248416","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateTimeParameterBinding"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2a4ababdcf277e317373392b514dd84ac72036cf"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"0479c616-90fe-ea12-92bc-63085a4d8634","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_WithVariousScales"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"debc24533fa21796e777d3d8b3da5d82dac4dd5e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"401fbab7-ff6e-3387-b37b-59d305d2a809","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_InsertManyAsync_MultipleEntities"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1353372ac8f8225aeca798dffde381bd1319a802"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"db75fdc0-ac83-8379-bc73-e4f541efc1f2","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Accepts_Path_As_ConnectionString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8d7290881c5de01ee37018028f648aabc0bf4952"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.920, 376298733427866, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.920, 376298733464545, vstest.console.dll, InProgress is DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.920, 376298733479173, vstest.console.dll, InProgress is DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.920, 376298733492848, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.920, 376298733507646, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.920, 376298733525780, vstest.console.dll, InProgress is DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.920, 376298733549836, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.920, 376298733567348, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.920, 376298733574311, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.920, 376298733585222, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.920, 376298733623804, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.920, 376298733636328, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.920, 376298733665072, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.920, 376298733669190, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.920, 376298733711038, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.920, 376298733739872, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.920, 376298733861090, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"907dda6a-e647-2941-e5ec-1c7e83248416","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateTimeParameterBinding"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2a4ababdcf277e317373392b514dd84ac72036cf"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011578","StartTime":"2026-02-08T22:26:58.9153976+00:00","EndTime":"2026-02-08T22:26:58.9169385+00:00","Properties":[]},{"TestCase":{"Id":"8ba36eed-8093-08b9-2c23-e984e7f6bfe7","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecimalBindingAndRetrieval"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b678de00515aa4943c54802754e7c31677fdfaa5"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015218","StartTime":"2026-02-08T22:26:58.9141281+00:00","EndTime":"2026-02-08T22:26:58.916963+00:00","Properties":[]},{"TestCase":{"Id":"db75fdc0-ac83-8379-bc73-e4f541efc1f2","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Accepts_Path_As_ConnectionString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8d7290881c5de01ee37018028f648aabc0bf4952"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004262","StartTime":"2026-02-08T22:26:58.9168271+00:00","EndTime":"2026-02-08T22:26:58.917459+00:00","Properties":[]},{"TestCase":{"Id":"46599b34-7ba6-28e9-5ecb-dded6f1fa1c5","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip","DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllTypes_InsertAndSelect_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a83fe71dcaf79df2d6d6ef5426e16e0b08eef8ce"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017593","StartTime":"2026-02-08T22:26:58.9151187+00:00","EndTime":"2026-02-08T22:26:58.9177039+00:00","Properties":[]},{"TestCase":{"Id":"0314bf26-828b-18e2-0966-160886b3d039","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstAsync_With_No_Results_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02ef566fe97ce0688a500cb1037caf73165cb714"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0407585","StartTime":"2026-02-08T22:26:58.8240263+00:00","EndTime":"2026-02-08T22:26:58.9178586+00:00","Properties":[]},{"TestCase":{"Id":"a8605fab-1f7d-f3ae-1790-854dbbdbaea8","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.BlobBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.BlobBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"BlobBindingAndRetrieval"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ccd583a6e2b20caf7b92e92a3a0c831f90999da1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.BlobBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012790","StartTime":"2026-02-08T22:26:58.9173738+00:00","EndTime":"2026-02-08T22:26:58.9181153+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":131,"Stats":{"Passed":131}},"ActiveTests":[{"Id":"6a3f19ab-c66f-f9b4-240b-b71e280f4be0","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateOnlyTimeOnlyParameterBinding"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"52c81fa78e9f82b85286e7439ebd1a12f2b7299c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"a9dd1a29-a5b5-b823-728f-37a0475fc078","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Event_Add_Remove_Works"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9b03fb34496b2b781afc22624f59ccedde952d8a"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"d3b707b3-ab55-8df5-f0f7-a410f6e552e4","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_Predicate"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"047c00cd0360ad36f2f68d631d2baf62d9c2fa14"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"2fe3c492-9ebe-dcc2-e97c-9738b63b1a85","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.RowsAffected","DisplayName":"DecentDB.Tests.NativeLayerTests.RowsAffected","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowsAffected"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fb22910fdba1e3749a1ebfe9fd9cc5b41151ce48"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.922, 376298735144921, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.922, 376298735172653, vstest.console.dll, InProgress is DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.922, 376298735187721, vstest.console.dll, InProgress is DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.922, 376298735201718, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.922, 376298735214943, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerTests.RowsAffected
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.922, 376298735237996, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.922, 376298735255298, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.922, 376298735257372, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.922, 376298735274625, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.922, 376298735316343, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.922, 376298735349255, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.922, 376298735377247, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.922, 376298735354374, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.922, 376298735430568, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.922, 376298735461105, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.922, 376298735486984, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.922, 376298735572214, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"0479c616-90fe-ea12-92bc-63085a4d8634","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_WithVariousScales"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"debc24533fa21796e777d3d8b3da5d82dac4dd5e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0018909","StartTime":"2026-02-08T22:26:58.9158358+00:00","EndTime":"2026-02-08T22:26:58.9188611+00:00","Properties":[]},{"TestCase":{"Id":"6a3f19ab-c66f-f9b4-240b-b71e280f4be0","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateOnlyTimeOnlyParameterBinding"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"52c81fa78e9f82b85286e7439ebd1a12f2b7299c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017915","StartTime":"2026-02-08T22:26:58.917343+00:00","EndTime":"2026-02-08T22:26:58.9191368+00:00","Properties":[]},{"TestCase":{"Id":"2fe3c492-9ebe-dcc2-e97c-9738b63b1a85","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.RowsAffected","DisplayName":"DecentDB.Tests.NativeLayerTests.RowsAffected","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowsAffected"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fb22910fdba1e3749a1ebfe9fd9cc5b41151ce48"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.RowsAffected","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011104","StartTime":"2026-02-08T22:26:58.9187933+00:00","EndTime":"2026-02-08T22:26:58.9194396+00:00","Properties":[]},{"TestCase":{"Id":"f5de1e7c-d905-7470-ac7a-3dc142f1fdb4","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.TimeSpanParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.TimeSpanParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TimeSpanParameterBinding"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6bcf4c0d7873bd1108ba5181a48054b21194983b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.TimeSpanParameterBinding","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011216","StartTime":"2026-02-08T22:26:58.9193702+00:00","EndTime":"2026-02-08T22:26:58.919605+00:00","Properties":[]},{"TestCase":{"Id":"e32432ad-c183-d674-9c3d-e182d698fdfd","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters","DisplayName":"DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"QueryAsync_WithParameters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"17c906d994f909075c90a7527776dc4ce37219aa"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0447389","StartTime":"2026-02-08T22:26:58.8227964+00:00","EndTime":"2026-02-08T22:26:58.9198287+00:00","Properties":[]},{"TestCase":{"Id":"039e2023-bfc1-8e9a-3a60-3e0da5d5a710","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases","DisplayName":"DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ParameterBinding_EdgeCases"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"97472a9e4c8a43fc028bad93005b5cc88ac73217"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017777","StartTime":"2026-02-08T22:26:58.9197642+00:00","EndTime":"2026-02-08T22:26:58.9200698+00:00","Properties":[]},{"TestCase":{"Id":"a4a52f5e-0a3d-ab63-0baa-640951fa4a20","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Tables_ReturnsCreatedTables"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"164a380f8320f3a6f2331fa3934e76c7095ccd88"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0253168","StartTime":"2026-02-08T22:26:58.8807507+00:00","EndTime":"2026-02-08T22:26:58.920307+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":138,"Stats":{"Passed":138}},"ActiveTests":[{"Id":"dc61fe33-975c-aadf-e114-a5e9c141c60e","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_WithLargeByteArray"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ec1127dfae6cbdfecfa2f6b93aa7ce2b31e6a173"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"7cf9d182-3067-f12d-cfc8-47b0a9d6ee67","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1823080ee64a9f9ab8365ca27cb34a7bbd522cc1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"de5b7ca7-5444-2b2c-e282-2fe3d2131f27","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.NestedTransactions","DisplayName":"DecentDB.Tests.EdgeCaseTests.NestedTransactions","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NestedTransactions"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"acbb7c3582ac5be85f2172d89f45c4481bc3df6b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.924, 376298737185674, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.924, 376298737225719, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.924, 376298737242460, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.924, 376298737256276, vstest.console.dll, InProgress is DecentDB.Tests.EdgeCaseTests.NestedTransactions
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.924, 376298737282025, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.924, 376298737299568, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.924, 376298737305559, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.924, 376298737322561, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.924, 376298737386180, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 2 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.924, 376298737399615, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.924, 376298737447966, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.924, 376298737454549, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.924, 376298737504152, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.924, 376298737544518, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.924, 376298737572260, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.924, 376298737597277, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.924, 376298737682767, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"a9dd1a29-a5b5-b823-728f-37a0475fc078","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Event_Add_Remove_Works"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9b03fb34496b2b781afc22624f59ccedde952d8a"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0049309","StartTime":"2026-02-08T22:26:58.9176388+00:00","EndTime":"2026-02-08T22:26:58.9210212+00:00","Properties":[]},{"TestCase":{"Id":"de5b7ca7-5444-2b2c-e282-2fe3d2131f27","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.NestedTransactions","DisplayName":"DecentDB.Tests.EdgeCaseTests.NestedTransactions","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NestedTransactions"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"acbb7c3582ac5be85f2172d89f45c4481bc3df6b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.NestedTransactions","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006366","StartTime":"2026-02-08T22:26:58.9202293+00:00","EndTime":"2026-02-08T22:26:58.9213049+00:00","Properties":[]},{"TestCase":{"Id":"401fbab7-ff6e-3387-b37b-59d305d2a809","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_InsertManyAsync_MultipleEntities"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1353372ac8f8225aeca798dffde381bd1319a802"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0066294","StartTime":"2026-02-08T22:26:58.9161142+00:00","EndTime":"2026-02-08T22:26:58.9215781+00:00","Properties":[]},{"TestCase":{"Id":"7cf9d182-3067-f12d-cfc8-47b0a9d6ee67","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1823080ee64a9f9ab8365ca27cb34a7bbd522cc1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026151","StartTime":"2026-02-08T22:26:58.9200049+00:00","EndTime":"2026-02-08T22:26:58.9218404+00:00","Properties":[]},{"TestCase":{"Id":"d3b707b3-ab55-8df5-f0f7-a410f6e552e4","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_Predicate"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"047c00cd0360ad36f2f68d631d2baf62d9c2fa14"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0069010","StartTime":"2026-02-08T22:26:58.9180516+00:00","EndTime":"2026-02-08T22:26:58.9220809+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":143,"Stats":{"Passed":143}},"ActiveTests":[{"Id":"4744bce0-4039-66f4-17bb-4a361a846590","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Columns_IncludesPkAndNullability"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1d6b4f6b417a1b30c741c81aa1e38207a4981fd7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"9d6aeb73-d6d0-6a6d-bfaa-0e90ce00d648","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled","DisplayName":"DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Events_Are_Properly_Handled"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a9131827dd223f4d7dcaf0a4a5e19f194f07f351"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"37beb522-3ac2-da47-aae4-68c4658ac8a5","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency","DisplayName":"DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AsyncOperationsConcurrency"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b8c930d93327cc3ae468c8cfca5b8b7a7af53640"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"738dec07-b778-de10-da40-ac0f07911d83","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Take_Skip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1ef14465cddad0507635583f199ce85847efddab"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"5a45cd95-0648-736c-77d9-df763f0bcdfa","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_AutoIncrement_SetsId"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23e5528d8df361c20b98ae6fefe281b5482b4c29"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.925, 376298738936963, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.925, 376298738964394, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.925, 376298738979753, vstest.console.dll, InProgress is DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.925, 376298738992477, vstest.console.dll, InProgress is DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.925, 376298739005832, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.925, 376298739020650, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.926, 376298739129785, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.926, 376298739151245, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.926, 376298739156455, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.926, 376298739170692, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.926, 376298739209885, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.926, 376298739220295, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.926, 376298739254158, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.926, 376298739262203, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.926, 376298739298091, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.926, 376298739325092, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.928, 376298741605845, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"9d6aeb73-d6d0-6a6d-bfaa-0e90ce00d648","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled","DisplayName":"DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Events_Are_Properly_Handled"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a9131827dd223f4d7dcaf0a4a5e19f194f07f351"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0022815","StartTime":"2026-02-08T22:26:58.9212419+00:00","EndTime":"2026-02-08T22:26:58.9228684+00:00","Properties":[]},{"TestCase":{"Id":"9cf8d764-ca66-213e-99f5-bf6746d5973e","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip","DisplayName":"DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f1d29da09ea24e76a59afab4005376dbbcde9b1d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0198570","StartTime":"2026-02-08T22:26:58.8944818+00:00","EndTime":"2026-02-08T22:26:58.9231425+00:00","Properties":[]},{"TestCase":{"Id":"37beb522-3ac2-da47-aae4-68c4658ac8a5","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency","DisplayName":"DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AsyncOperationsConcurrency"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b8c930d93327cc3ae468c8cfca5b8b7a7af53640"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024581","StartTime":"2026-02-08T22:26:58.9215095+00:00","EndTime":"2026-02-08T22:26:58.9233284+00:00","Properties":[]},{"TestCase":{"Id":"875da2b0-fd6d-f566-4d2d-5c2e980a8605","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_IsNotNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"091495c9323ecf6ef651bb1f55339e602c304684"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0230432","StartTime":"2026-02-08T22:26:58.8864817+00:00","EndTime":"2026-02-08T22:26:58.9235585+00:00","Properties":[]},{"TestCase":{"Id":"4744bce0-4039-66f4-17bb-4a361a846590","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Columns_IncludesPkAndNullability"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1d6b4f6b417a1b30c741c81aa1e38207a4981fd7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0029697","StartTime":"2026-02-08T22:26:58.921046+00:00","EndTime":"2026-02-08T22:26:58.9237864+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":148,"Stats":{"Passed":148}},"ActiveTests":[{"Id":"d2eff22e-e22a-ec1f-f9be-2c3d8e656009","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Skip_With_Negative_Value_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"06bdf042287e5391189fc351dd95d7986afca796"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"48bcca6e-c511-99c7-ed73-392ebd03d3dd","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed","DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Connection_Is_Properly_Managed"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bf54196a6e1b05f7e372e2599935645ae88a956f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"12272b2f-2f37-b2b3-cb68-d6ed115b604b","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests","DisplayName":"DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecimalPrecisionTests"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"edcfef0b3c8e85a02b7aa8886342dc4f72c395bf"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"f3ede0dd-abe3-d7d3-2b78-8b6fe4749b8e","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamAsync_WithFilter"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"10a75118e91a030010b7145844e3604611096f03"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"27637d5b-3f9b-eb01-8e2d-138ab87f7a6c","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Columns_FilteredByTable"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23253c1882cf2b7391c8fabe318f313ab08040f8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.929, 376298743056870, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.929, 376298743097436, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.929, 376298743113546, vstest.console.dll, InProgress is DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.930, 376298743128094, vstest.console.dll, InProgress is DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.930, 376298743141649, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.930, 376298743154513, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.930, 376298743180031, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.930, 376298743196602, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.930, 376298743220708, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 3 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.930, 376298743221679, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.930, 376298743269519, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 4 ms
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.930, 376298743293073, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.930, 376298743428408, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.930, 376298743469675, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.930, 376298743494211, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.930, 376298743496686, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"d2eff22e-e22a-ec1f-f9be-2c3d8e656009","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Skip_With_Negative_Value_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"06bdf042287e5391189fc351dd95d7986afca796"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008261","StartTime":"2026-02-08T22:26:58.9228263+00:00","EndTime":"2026-02-08T22:26:58.9246776+00:00","Properties":[]},{"TestCase":{"Id":"dc61fe33-975c-aadf-e114-a5e9c141c60e","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_WithLargeByteArray"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ec1127dfae6cbdfecfa2f6b93aa7ce2b31e6a173"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0069549","StartTime":"2026-02-08T22:26:58.9190725+00:00","EndTime":"2026-02-08T22:26:58.924957+00:00","Properties":[]},{"TestCase":{"Id":"738dec07-b778-de10-da40-ac0f07911d83","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Take_Skip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1ef14465cddad0507635583f199ce85847efddab"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0029227","StartTime":"2026-02-08T22:26:58.921774+00:00","EndTime":"2026-02-08T22:26:58.925228+00:00","Properties":[]},{"TestCase":{"Id":"27637d5b-3f9b-eb01-8e2d-138ab87f7a6c","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Columns_FilteredByTable"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23253c1882cf2b7391c8fabe318f313ab08040f8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010102","StartTime":"2026-02-08T22:26:58.9246066+00:00","EndTime":"2026-02-08T22:26:58.9254442+00:00","Properties":[]},{"TestCase":{"Id":"12272b2f-2f37-b2b3-cb68-d6ed115b604b","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests","DisplayName":"DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecimalPrecisionTests"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"edcfef0b3c8e85a02b7aa8886342dc4f72c395bf"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015760","StartTime":"2026-02-08T22:26:58.9235069+00:00","EndTime":"2026-02-08T22:26:58.9256946+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":153,"Stats":{"Passed":153}},"ActiveTests":[{"Id":"7f94d702-502a-dc0e-b9be-2eb64eb06ef9","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAsync_With_Null_NonNullable_Property_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1848fc4d05de6ae27395ea35791ab847aecd172d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"8e19b822-4526-7d8b-0706-ebafaf35445f","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindGuid_WithAllZeros"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ecc8b46b2f73b7dc2272a240acd1d36562af24e9"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"5f97a30f-92d9-6689-8367-b35a8a5c88cf","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_DeleteByIdAsync_Entity"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3083caae6c4810620796ba01162c943b95ac9608"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"96e38127-a8f4-cfe1-9938-60fd257d4897","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_BeginTransaction_WhenClosed_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2fb42e046d573ef32f3f2cf6c9f083266f22de45"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"e92b3608-efeb-3f79-7e14-a46d390fcc5e","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases","DisplayName":"DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringParsing_EdgeCases"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f0184ca1b42a8b87581935cf2a78f1d65bd1704f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.930, 376298743590051, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.931, 376298744820161, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.931, 376298744852492, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.931, 376298744867360, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.931, 376298744881998, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.931, 376298744895884, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.931, 376298744909068, vstest.console.dll, InProgress is DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.931, 376298744931511, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.931, 376298744946699, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.931, 376298744950075, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.931, 376298744990000, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.931, 376298744993978, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.931, 376298745028984, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.931, 376298745029034, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.931, 376298745060292, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.931, 376298745081242, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.931, 376298745118371, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.932, 376298745285385, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"96e38127-a8f4-cfe1-9938-60fd257d4897","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_BeginTransaction_WhenClosed_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2fb42e046d573ef32f3f2cf6c9f083266f22de45"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003472","StartTime":"2026-02-08T22:26:58.9256187+00:00","EndTime":"2026-02-08T22:26:58.9264627+00:00","Properties":[]},{"TestCase":{"Id":"48bcca6e-c511-99c7-ed73-392ebd03d3dd","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed","DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Connection_Is_Properly_Managed"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bf54196a6e1b05f7e372e2599935645ae88a956f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020557","StartTime":"2026-02-08T22:26:58.9230757+00:00","EndTime":"2026-02-08T22:26:58.9265984+00:00","Properties":[]},{"TestCase":{"Id":"8e19b822-4526-7d8b-0706-ebafaf35445f","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindGuid_WithAllZeros"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ecc8b46b2f73b7dc2272a240acd1d36562af24e9"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012579","StartTime":"2026-02-08T22:26:58.9251394+00:00","EndTime":"2026-02-08T22:26:58.9269705+00:00","Properties":[]},{"TestCase":{"Id":"2b085e47-3583-3dc6-5bf6-30d0c503eff6","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteReader_WhenConnectionIsNull","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteReader_WhenConnectionIsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteReader_WhenConnectionIsNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3d2e6203829190a0ddf39c9c9f4d7243be19e162"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteReader_WhenConnectionIsNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003344","StartTime":"2026-02-08T22:26:58.9268658+00:00","EndTime":"2026-02-08T22:26:58.9272219+00:00","Properties":[]},{"TestCase":{"Id":"e92b3608-efeb-3f79-7e14-a46d390fcc5e","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases","DisplayName":"DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringParsing_EdgeCases"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f0184ca1b42a8b87581935cf2a78f1d65bd1704f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007062","StartTime":"2026-02-08T22:26:58.9264081+00:00","EndTime":"2026-02-08T22:26:58.9274515+00:00","Properties":[]},{"TestCase":{"Id":"f24110ad-57e2-7309-e301-615c5f5afb37","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Throws_ArgumentException_For_Empty_ConnectionString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e668e8671d814ba11969a4b75c86847248a99686"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008039","StartTime":"2026-02-08T22:26:58.9268972+00:00","EndTime":"2026-02-08T22:26:58.9276161+00:00","Properties":[]},{"TestCase":{"Id":"c6c45f11-d867-54d7-e187-f658e3889cd9","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Open_Close_Sequence"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"41dfa532d910d19666a568e7dfbab3602b750468"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006896","StartTime":"2026-02-08T22:26:58.9273885+00:00","EndTime":"2026-02-08T22:26:58.9278388+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":160,"Stats":{"Passed":160}},"ActiveTests":[{"Id":"cbe68af8-32f5-8c31-e745-5b733714d2e1","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindAndRetrieveUnicodeText"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f0f3c2599a68e384bf79fbf1d3bac9f1cb6d0933"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"8d040988-69fd-fbf9-02e9-5d6bb60aebb1","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions","DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Connection_Scope_Management_With_Transactions"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fa2fbc743e4979bae80548d167a5620610336b5f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"48022f34-71cc-b452-3e3b-31b88496c272","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_MetaDataCollections"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"43947f059fb1e4813b3511cf17a7ee502567bb3c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.933, 376298746613720, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.933, 376298746643967, vstest.console.dll, InProgress is DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.933, 376298746660037, vstest.console.dll, InProgress is DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.933, 376298746673853, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.933, 376298746698008, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.933, 376298746711604, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.933, 376298746718527, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.933, 376298746745958, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.933, 376298746750426, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.933, 376298746791774, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.933, 376298746795261, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.933, 376298746818013, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.933, 376298746845946, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.933, 376298746871965, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.933, 376298746891622, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.933, 376298746910457, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.933, 376298747043116, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"5a45cd95-0648-736c-77d9-df763f0bcdfa","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_AutoIncrement_SetsId"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23e5528d8df361c20b98ae6fefe281b5482b4c29"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0036663","StartTime":"2026-02-08T22:26:58.9220166+00:00","EndTime":"2026-02-08T22:26:58.9287423+00:00","Properties":[]},{"TestCase":{"Id":"48022f34-71cc-b452-3e3b-31b88496c272","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_MetaDataCollections"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"43947f059fb1e4813b3511cf17a7ee502567bb3c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013058","StartTime":"2026-02-08T22:26:58.9286589+00:00","EndTime":"2026-02-08T22:26:58.9290646+00:00","Properties":[]},{"TestCase":{"Id":"cbe68af8-32f5-8c31-e745-5b733714d2e1","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindAndRetrieveUnicodeText"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f0f3c2599a68e384bf79fbf1d3bac9f1cb6d0933"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024696","StartTime":"2026-02-08T22:26:58.9271467+00:00","EndTime":"2026-02-08T22:26:58.9308234+00:00","Properties":[]},{"TestCase":{"Id":"f8cbb562-b631-8700-75d1-5f3297538f1a","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandText_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandText_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_CommandText_SetterGetter"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"48e21a8d830f16cebd45399b04a95301261b766e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandText_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002347","StartTime":"2026-02-08T22:26:58.9307534+00:00","EndTime":"2026-02-08T22:26:58.9309973+00:00","Properties":[]},{"TestCase":{"Id":"f3ede0dd-abe3-d7d3-2b78-8b6fe4749b8e","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamAsync_WithFilter"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"10a75118e91a030010b7145844e3604611096f03"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0045722","StartTime":"2026-02-08T22:26:58.9237339+00:00","EndTime":"2026-02-08T22:26:58.9312298+00:00","Properties":[]},{"TestCase":{"Id":"8d040988-69fd-fbf9-02e9-5d6bb60aebb1","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions","DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Connection_Scope_Management_With_Transactions"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fa2fbc743e4979bae80548d167a5620610336b5f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023709","StartTime":"2026-02-08T22:26:58.9277743+00:00","EndTime":"2026-02-08T22:26:58.9314575+00:00","Properties":[]},{"TestCase":{"Id":"0ca8ff7c-1ed4-8225-9513-62da9550f32c","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Columns_AllTables"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5b5364e73a53369832fd3e0aa2a3e50b39e8b9dc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007799","StartTime":"2026-02-08T22:26:58.9311654+00:00","EndTime":"2026-02-08T22:26:58.9316206+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":167,"Stats":{"Passed":167}},"ActiveTests":[{"Id":"10e5bc79-5d68-4750-e50b-724e5259bb6d","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow","DisplayName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpsertAsync_UpdatesExistingRow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4697b20a0051a06d0bf83fb3fe3f0c5f0186aef1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"4fb84e52-6189-99f8-e98e-3c564509ff01","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_ComplexPredicate"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"17aab9a45cc340d6ec659bd93abd62df5efb8b60"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"749a21fd-fb62-ab60-41c5-15b0461be619","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Checkpoint_WhenOpen"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"637f7b2313bad6b3fc4b9cf65ddd1b98b8a13f73"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.935, 376298748341965, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.935, 376298748372513, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.935, 376298748387150, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.935, 376298748400105, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.935, 376298748424060, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.935, 376298748435551, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.935, 376298748440881, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.935, 376298748475606, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.935, 376298748489362, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.935, 376298748519399, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.935, 376298748527774, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.935, 376298748537603, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.935, 376298748573701, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.935, 376298748600521, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.935, 376298748622352, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.935, 376298748640266, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.935, 376298748752326, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"5f97a30f-92d9-6689-8367-b35a8a5c88cf","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_DeleteByIdAsync_Entity"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3083caae6c4810620796ba01162c943b95ac9608"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0042179","StartTime":"2026-02-08T22:26:58.9254182+00:00","EndTime":"2026-02-08T22:26:58.932427+00:00","Properties":[]},{"TestCase":{"Id":"749a21fd-fb62-ab60-41c5-15b0461be619","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Checkpoint_WhenOpen"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"637f7b2313bad6b3fc4b9cf65ddd1b98b8a13f73"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004830","StartTime":"2026-02-08T22:26:58.9323436+00:00","EndTime":"2026-02-08T22:26:58.9326988+00:00","Properties":[]},{"TestCase":{"Id":"dc17ea78-8f1d-e069-bafd-eeddbc603218","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ConstructorWithConnectionAndCommandText"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"64876638e985f8dca568ac831531a898f7d824e4"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002775","StartTime":"2026-02-08T22:26:58.9328747+00:00","EndTime":"2026-02-08T22:26:58.9329517+00:00","Properties":[]},{"TestCase":{"Id":"7f94d702-502a-dc0e-b9be-2eb64eb06ef9","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAsync_With_Null_NonNullable_Property_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1848fc4d05de6ae27395ea35791ab847aecd172d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0056383","StartTime":"2026-02-08T22:26:58.9249056+00:00","EndTime":"2026-02-08T22:26:58.9331619+00:00","Properties":[]},{"TestCase":{"Id":"9c5dad59-6432-d2b9-a886-ded817aa03ea","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Cancel_WhenNotExecuting","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Cancel_WhenNotExecuting","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_Cancel_WhenNotExecuting"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"67e7d044cc9d9d668b8fdf77c58efe215fedbb06"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Cancel_WhenNotExecuting","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001747","StartTime":"2026-02-08T22:26:58.9331108+00:00","EndTime":"2026-02-08T22:26:58.9334239+00:00","Properties":[]},{"TestCase":{"Id":"1a8e2e0f-168e-dee5-b29a-b1c051e2516f","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Dispose_MultipleTimes","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Dispose_MultipleTimes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Dispose_MultipleTimes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3328af002391ff94734db248914c3dcc5f599543"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Dispose_MultipleTimes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007849","StartTime":"2026-02-08T22:26:58.9326476+00:00","EndTime":"2026-02-08T22:26:58.9336467+00:00","Properties":[]},{"TestCase":{"Id":"71501ace-cfc7-08a7-98d3-367f93b37453","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithDifferentDataSourceKeys","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithDifferentDataSourceKeys","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ParseConnectionString_WithDifferentDataSourceKeys"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"71e1921b99e638cbdb5624cb7409b4339ddd2eda"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithDifferentDataSourceKeys","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002182","StartTime":"2026-02-08T22:26:58.9335835+00:00","EndTime":"2026-02-08T22:26:58.9338581+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":174,"Stats":{"Passed":174}},"ActiveTests":[{"Id":"e86a5a7e-be26-d71e-ca66-dc9fa971344e","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Take_With_Negative_Value_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"22f60a33cb3725e3bb30e5fd0f8bc05f8ab10b7c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"eac6ed5f-a764-b594-7156-ec0b3edbb115","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_BeginTransaction_WithIsolationLevel"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"33a283c05b25d1d481efa6bb6ad7daa9d402f033"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"127b4121-0a93-5def-4433-b5a9b7d557f6","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameter_Properties"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"79552ed3312888e74ecc4afd6fba42b01ce484d7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.936, 376298750060603, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.936, 376298750091621, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.936, 376298750106820, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.936, 376298750120375, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.937, 376298750148809, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.937, 376298750164889, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.937, 376298750170429, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.937, 376298750183053, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.937, 376298750218650, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.937, 376298750231504, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.937, 376298750268013, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.937, 376298750296015, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.937, 376298750267251, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.937, 376298750317115, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.937, 376298750365746, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.937, 376298750385483, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.937, 376298750516569, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"e86a5a7e-be26-d71e-ca66-dc9fa971344e","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Take_With_Negative_Value_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"22f60a33cb3725e3bb30e5fd0f8bc05f8ab10b7c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006262","StartTime":"2026-02-08T22:26:58.9333481+00:00","EndTime":"2026-02-08T22:26:58.934599+00:00","Properties":[]},{"TestCase":{"Id":"eac6ed5f-a764-b594-7156-ec0b3edbb115","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_BeginTransaction_WithIsolationLevel"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"33a283c05b25d1d481efa6bb6ad7daa9d402f033"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012112","StartTime":"2026-02-08T22:26:58.9338073+00:00","EndTime":"2026-02-08T22:26:58.9348881+00:00","Properties":[]},{"TestCase":{"Id":"13084293-ca92-f864-ea8c-7b9cb3f67d7e","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder","DisplayName":"DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamAsync_YieldsRowsInOrder"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2199a4e589b4a7eeb2e74f21bd026a28e61b6ae4"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0595427","StartTime":"2026-02-08T22:26:58.8227792+00:00","EndTime":"2026-02-08T22:26:58.9351045+00:00","Properties":[]},{"TestCase":{"Id":"4fb84e52-6189-99f8-e98e-3c564509ff01","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_ComplexPredicate"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"17aab9a45cc340d6ec659bd93abd62df5efb8b60"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0031428","StartTime":"2026-02-08T22:26:58.931404+00:00","EndTime":"2026-02-08T22:26:58.9353322+00:00","Properties":[]},{"TestCase":{"Id":"449231c9-aa69-f875-f6c5-33965374605d","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPooling","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPooling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Constructor_WithPooling"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"357e3b7fc0e9f68eef7de0a09562349885254ca1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPooling","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008386","StartTime":"2026-02-08T22:26:58.9350642+00:00","EndTime":"2026-02-08T22:26:58.9355918+00:00","Properties":[]},{"TestCase":{"Id":"10e5bc79-5d68-4750-e50b-724e5259bb6d","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow","DisplayName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpsertAsync_UpdatesExistingRow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4697b20a0051a06d0bf83fb3fe3f0c5f0186aef1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0059817","StartTime":"2026-02-08T22:26:58.9289744+00:00","EndTime":"2026-02-08T22:26:58.9358042+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":180,"Stats":{"Passed":180}},"ActiveTests":[{"Id":"0205796d-c5e4-62ca-502c-04c0a1ca433f","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_No_Matches"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2e11eaa8bcfc28a720c71abeb8f3c3b4020a0cb7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"a7d98029-9fc1-0054-328f-9ef5f8172fa9","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations","DisplayName":"DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AnySingleAndBulkOperations"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"29e997b6e6753e8fd3bd7e724e9a800ec0e94250"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"040cc1d2-1f41-e0dd-c931-3d2c6300f25b","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstAsync_WithPredicate_NoMatch_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1a6d9efab0941610a331d689946f315be5928727"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"d9f7d34c-3d72-a948-d612-843585768016","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_ToList_ToArray"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"39311202976a94e2ec3f1bfa68518e744bca0ed3"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.938, 376298751785693, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.938, 376298751813836, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.938, 376298751828203, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.938, 376298751841989, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.938, 376298751856255, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.938, 376298751882024, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.938, 376298751898304, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.938, 376298751913853, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.938, 376298751921177, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.938, 376298751929713, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.938, 376298751978405, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.938, 376298751983104, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.938, 376298752019241, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.938, 376298752052734, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.938, 376298752091277, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.938, 376298752124990, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.939, 376298752178801, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"0205796d-c5e4-62ca-502c-04c0a1ca433f","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_No_Matches"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2e11eaa8bcfc28a720c71abeb8f3c3b4020a0cb7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024501","StartTime":"2026-02-08T22:26:58.9347995+00:00","EndTime":"2026-02-08T22:26:58.9365796+00:00","Properties":[]},{"TestCase":{"Id":"127b4121-0a93-5def-4433-b5a9b7d557f6","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameter_Properties"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"79552ed3312888e74ecc4afd6fba42b01ce484d7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0033431","StartTime":"2026-02-08T22:26:58.9345319+00:00","EndTime":"2026-02-08T22:26:58.9368229+00:00","Properties":[]},{"TestCase":{"Id":"040cc1d2-1f41-e0dd-c931-3d2c6300f25b","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstAsync_WithPredicate_NoMatch_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1a6d9efab0941610a331d689946f315be5928727"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023980","StartTime":"2026-02-08T22:26:58.9355053+00:00","EndTime":"2026-02-08T22:26:58.9370593+00:00","Properties":[]},{"TestCase":{"Id":"d9f7d34c-3d72-a948-d612-843585768016","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_ToList_ToArray"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"39311202976a94e2ec3f1bfa68518e744bca0ed3"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0025346","StartTime":"2026-02-08T22:26:58.9357503+00:00","EndTime":"2026-02-08T22:26:58.9372947+00:00","Properties":[]},{"TestCase":{"Id":"63992858-5261-6c0e-560c-34c29fb0bc7d","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows","DisplayName":"DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExecuteScalarAsync_CountRows"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"505a37bce26e80a82531e65667dc6b2968596273"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023138","StartTime":"2026-02-08T22:26:58.9365033+00:00","EndTime":"2026-02-08T22:26:58.9375236+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":185,"Stats":{"Passed":185}},"ActiveTests":[{"Id":"b0adbbb1-1575-bb7c-d715-54a9d9d6a016","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SingleAsync_With_No_Results_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3c30945ebdcf18e57144b8aae8b7639a5bc57bfd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"c23e5121-9f0f-79aa-7a53-8d587445ce39","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DefaultConstructor_CreatesInstance"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"79d380cfc3057b7cf0af9e1f4c16ab5c0814b7f7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"7fa7d1d0-5091-1621-48d7-43952673159d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAsync_NonExistentEntity_DoesNotThrow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"248b8a74850893e4c754c92d462eda34cab9531e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"353423a5-289b-b55c-1903-053350e84aee","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Count_LongCount"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3caa4f6a1b92959dec412862dcbbb40394689f5b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"871378ad-ad80-45f4-ffae-4b44e13b53bf","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertOrIgnoreAsync_InsertsNewRow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"517bc39142d51fe3765f9cad64b5224839983b3b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.940, 376298753418389, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.940, 376298753447945, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.940, 376298753463684, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.940, 376298753477270, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.940, 376298753491526, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.940, 376298753505883, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.940, 376298753527604, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.940, 376298753543444, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.940, 376298753558051, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.940, 376298753557390, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.940, 376298753616992, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.940, 376298753621130, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.940, 376298753653691, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.940, 376298753658821, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.940, 376298753694638, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.940, 376298753729634, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.940, 376298753853546, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"7fa7d1d0-5091-1621-48d7-43952673159d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAsync_NonExistentEntity_DoesNotThrow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"248b8a74850893e4c754c92d462eda34cab9531e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015427","StartTime":"2026-02-08T22:26:58.9372324+00:00","EndTime":"2026-02-08T22:26:58.9382329+00:00","Properties":[]},{"TestCase":{"Id":"c23e5121-9f0f-79aa-7a53-8d587445ce39","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DefaultConstructor_CreatesInstance"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"79d380cfc3057b7cf0af9e1f4c16ab5c0814b7f7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026241","StartTime":"2026-02-08T22:26:58.9369957+00:00","EndTime":"2026-02-08T22:26:58.9385047+00:00","Properties":[]},{"TestCase":{"Id":"de249baf-1c1b-075f-27fa-69f520c87de1","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteScalar_WhenConnectionIsNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"846353127128b1fe257eb07cb39d15e570f5264d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003133","StartTime":"2026-02-08T22:26:58.9386781+00:00","EndTime":"2026-02-08T22:26:58.9387394+00:00","Properties":[]},{"TestCase":{"Id":"353423a5-289b-b55c-1903-053350e84aee","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Count_LongCount"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3caa4f6a1b92959dec412862dcbbb40394689f5b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020294","StartTime":"2026-02-08T22:26:58.9374719+00:00","EndTime":"2026-02-08T22:26:58.9390665+00:00","Properties":[]},{"TestCase":{"Id":"c3aa77a6-e3c5-b67f-2d9e-b076a8c5e48a","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithVariousOptions","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithVariousOptions","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ParseConnectionString_WithVariousOptions"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8d2449e4a77be5eb59e4d64828dc05ef0be03591"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithVariousOptions","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005205","StartTime":"2026-02-08T22:26:58.938979+00:00","EndTime":"2026-02-08T22:26:58.9393182+00:00","Properties":[]},{"TestCase":{"Id":"f8a70e9a-f5e8-0502-cc95-c15408de5a92","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Prepare_WhenConnectionClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Prepare_WhenConnectionClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_Prepare_WhenConnectionClosed_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8fe5a1e765e5cca73e946ac8f293adb3dd290826"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Prepare_WhenConnectionClosed_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004262","StartTime":"2026-02-08T22:26:58.9394836+00:00","EndTime":"2026-02-08T22:26:58.9395696+00:00","Properties":[]},{"TestCase":{"Id":"b0adbbb1-1575-bb7c-d715-54a9d9d6a016","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SingleAsync_With_No_Results_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3c30945ebdcf18e57144b8aae8b7639a5bc57bfd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0046678","StartTime":"2026-02-08T22:26:58.9367582+00:00","EndTime":"2026-02-08T22:26:58.9397899+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":192,"Stats":{"Passed":192}},"ActiveTests":[{"Id":"7cb768f7-4eb9-6319-2925-8b893342f480","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_Contains"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"257b5bdd1beb49ef473dd1b9733a6673094d2e73"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"255e77c9-cfe9-6167-4713-b3907ef89a8c","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Single","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Single","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Single"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"43a47396cfbdda53f18ffd3d70f81c74314528eb"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"acdabade-63bd-d423-ce8e-c8a39761690f","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_WhenClosed_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"90254d903d72a223bceab32878756d35290bd635"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.942, 376298755145452, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.942, 376298755174056, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.942, 376298755189395, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_Single
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.942, 376298755203441, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.942, 376298755226775, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.942, 376298755242204, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.942, 376298755252614, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.942, 376298755258785, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.942, 376298755300594, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.942, 376298755307797, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.942, 376298755336321, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.942, 376298755370245, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.942, 376298755399470, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.942, 376298755430889, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.942, 376298755459973, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.942, 376298755651783, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.942, 376298755840919, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"871378ad-ad80-45f4-ffae-4b44e13b53bf","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertOrIgnoreAsync_InsertsNewRow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"517bc39142d51fe3765f9cad64b5224839983b3b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0025514","StartTime":"2026-02-08T22:26:58.938156+00:00","EndTime":"2026-02-08T22:26:58.9406148+00:00","Properties":[]},{"TestCase":{"Id":"acdabade-63bd-d423-ce8e-c8a39761690f","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_WhenClosed_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"90254d903d72a223bceab32878756d35290bd635"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002513","StartTime":"2026-02-08T22:26:58.9397382+00:00","EndTime":"2026-02-08T22:26:58.9408957+00:00","Properties":[]},{"TestCase":{"Id":"a7d98029-9fc1-0054-328f-9ef5f8172fa9","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations","DisplayName":"DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AnySingleAndBulkOperations"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"29e997b6e6753e8fd3bd7e724e9a800ec0e94250"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0068102","StartTime":"2026-02-08T22:26:58.9352797+00:00","EndTime":"2026-02-08T22:26:58.9411303+00:00","Properties":[]},{"TestCase":{"Id":"92c22614-496a-e1ed-13a6-e6ddafe2b781","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Dispose_MultipleTimes","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Dispose_MultipleTimes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBTransaction_Dispose_MultipleTimes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"99c0970c49e51a00523cb6c3d514366d369df92b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Dispose_MultipleTimes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005080","StartTime":"2026-02-08T22:26:58.9410655+00:00","EndTime":"2026-02-08T22:26:58.9413572+00:00","Properties":[]},{"TestCase":{"Id":"fce272fd-1d0d-43a4-7745-79d67ec92fb7","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert","DisplayName":"DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExecuteNonQueryAsync_CreateAndInsert"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"51b64663ed1ccbc469d75db4efa6da9d69bcd513"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010317","StartTime":"2026-02-08T22:26:58.9408311+00:00","EndTime":"2026-02-08T22:26:58.9415753+00:00","Properties":[]},{"TestCase":{"Id":"50eda72f-28b0-47a5-2c1f-4ff84e335a5b","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandTimeout_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandTimeout_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_CommandTimeout_SetterGetter"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a5b2aa7740427efd37a961579dff9c3e0f87f614"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandTimeout_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003077","StartTime":"2026-02-08T22:26:58.9415137+00:00","EndTime":"2026-02-08T22:26:58.9417727+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":198,"Stats":{"Passed":198}},"ActiveTests":[{"Id":"1d976069-fdac-995c-d17e-60542f3143dc","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_With_Null_NonNullable_Property_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"41f66c31133365c0102e4caf9575ae8c42a41787"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"2c74f57b-e388-3a92-cd24-dfc5c9cfa82a","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability","DisplayName":"DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AttributesControlMappingAndNullability"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3474f837d593665bd0856c011701b1297e606b4e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"2910b266-23bd-b55c-bde1-4cecadbbb096","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_AutoIncrement_ReadBack"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5ac5c1eecffde05c1d125a934ecb7af2096e3891"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"5162fc82-33f7-2854-4eba-6e2c7a21c29d","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ad7f74e6c5a9747b2f0615f56d3e0bfd2bfc4a5f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.943, 376298757098130, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.944, 376298757126202, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.944, 376298757141120, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.944, 376298757154806, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.944, 376298757168542, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.944, 376298757191134, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.944, 376298757205521, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.944, 376298757219918, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.944, 376298757217514, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.944, 376298757265444, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.944, 376298757271826, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.944, 376298757319245, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.944, 376298757353710, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.944, 376298757387934, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.944, 376298757418171, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.944, 376298757718134, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.944, 376298757893884, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"255e77c9-cfe9-6167-4713-b3907ef89a8c","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Single","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Single","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Single"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"43a47396cfbdda53f18ffd3d70f81c74314528eb"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Single","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019522","StartTime":"2026-02-08T22:26:58.939266+00:00","EndTime":"2026-02-08T22:26:58.9426589+00:00","Properties":[]},{"TestCase":{"Id":"5162fc82-33f7-2854-4eba-6e2c7a21c29d","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ad7f74e6c5a9747b2f0615f56d3e0bfd2bfc4a5f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003423","StartTime":"2026-02-08T22:26:58.9425677+00:00","EndTime":"2026-02-08T22:26:58.9429203+00:00","Properties":[]},{"TestCase":{"Id":"7cb768f7-4eb9-6319-2925-8b893342f480","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_Contains"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"257b5bdd1beb49ef473dd1b9733a6673094d2e73"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0036861","StartTime":"2026-02-08T22:26:58.9384418+00:00","EndTime":"2026-02-08T22:26:58.9431693+00:00","Properties":[]},{"TestCase":{"Id":"1d976069-fdac-995c-d17e-60542f3143dc","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_With_Null_NonNullable_Property_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"41f66c31133365c0102e4caf9575ae8c42a41787"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024401","StartTime":"2026-02-08T22:26:58.9405491+00:00","EndTime":"2026-02-08T22:26:58.9434294+00:00","Properties":[]},{"TestCase":{"Id":"72452ed7-e382-d807-cbd0-41deec5d9cd8","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteScalarAsync"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"adf4df43ad99566406b28a6f9e4be1c55286516b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009709","StartTime":"2026-02-08T22:26:58.943095+00:00","EndTime":"2026-02-08T22:26:58.9436182+00:00","Properties":[]},{"TestCase":{"Id":"2b8c0cce-0109-cf7b-69dc-f1558539e483","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_IsolationLevels","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_IsolationLevels","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_BeginTransaction_IsolationLevels"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ae0fd356371d513c6b5156cd1f56db26a7ef8690"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_IsolationLevels","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005841","StartTime":"2026-02-08T22:26:58.9438174+00:00","EndTime":"2026-02-08T22:26:58.9438785+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":204,"Stats":{"Passed":204}},"ActiveTests":[{"Id":"96e53a34-83f6-258b-9197-27be0603ad87","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_StreamAsync"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5100cd758a7f97970619f8c73dc030d5b3bd9920"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"6b396488-7d58-63f0-5e5e-02730d562b02","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_ChainedMultiple_ImpliesAnd"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"267811a7d648d0b625e510bf5a8cb280a47afaad"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"dfc888a5-81a7-123d-d01e-f2b5f4f8d3a6","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_Empty_Collection"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6d264247fbe2a485db95fc085032c5ebd34a1859"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"39692422-89f8-13a8-e1df-536c40f5aa09","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameterCollection_UsageThroughCommand"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b63038428e4f991910fd6249e94d8caf942ac9aa"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.946, 376298759222730, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.946, 376298759258056, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.946, 376298759272994, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.946, 376298759286359, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.946, 376298759305545, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.946, 376298759329711, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.946, 376298759345059, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.946, 376298759359997, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.946, 376298759382450, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 2 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.946, 376298759357673, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.946, 376298759435700, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.946, 376298759467219, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.946, 376298759489651, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.946, 376298759496203, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.946, 376298759533093, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.946, 376298759565213, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.946, 376298759669589, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"96e53a34-83f6-258b-9197-27be0603ad87","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_StreamAsync"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5100cd758a7f97970619f8c73dc030d5b3bd9920"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0021678","StartTime":"2026-02-08T22:26:58.9428681+00:00","EndTime":"2026-02-08T22:26:58.9447026+00:00","Properties":[]},{"TestCase":{"Id":"6b396488-7d58-63f0-5e5e-02730d562b02","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_ChainedMultiple_ImpliesAnd"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"267811a7d648d0b625e510bf5a8cb280a47afaad"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0022280","StartTime":"2026-02-08T22:26:58.943349+00:00","EndTime":"2026-02-08T22:26:58.944969+00:00","Properties":[]},{"TestCase":{"Id":"39692422-89f8-13a8-e1df-536c40f5aa09","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameterCollection_UsageThroughCommand"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b63038428e4f991910fd6249e94d8caf942ac9aa"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011567","StartTime":"2026-02-08T22:26:58.9446347+00:00","EndTime":"2026-02-08T22:26:58.9451946+00:00","Properties":[]},{"TestCase":{"Id":"2910b266-23bd-b55c-bde1-4cecadbbb096","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_AutoIncrement_ReadBack"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5ac5c1eecffde05c1d125a934ecb7af2096e3891"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0033504","StartTime":"2026-02-08T22:26:58.9417578+00:00","EndTime":"2026-02-08T22:26:58.9454347+00:00","Properties":[]},{"TestCase":{"Id":"dfc888a5-81a7-123d-d01e-f2b5f4f8d3a6","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_Empty_Collection"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6d264247fbe2a485db95fc085032c5ebd34a1859"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020766","StartTime":"2026-02-08T22:26:58.9437235+00:00","EndTime":"2026-02-08T22:26:58.9456824+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":209,"Stats":{"Passed":209}},"ActiveTests":[{"Id":"ad072b42-fb5f-353d-c214-af344ef37d71","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_InTransaction"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"511089058d2d18ea63e272238d8e72c49fdeb86b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"17bd2927-df11-f139-2cc0-9065a68b6fe1","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OrderBy_Skip_Take_Pagination"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26e3ec7e09a9c7a32ddac1188d57ce29a8a61ead"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"59fd77a7-f77d-3d3b-b37e-6b764c177a7d","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ChangeDatabase_NotSupported"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bed5e93d569c198683ee6ba89fc9be8d70ca1b18"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"8c42a703-55ba-0646-e89b-fdb8cc430975","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn","DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectAsync_ProjectsSingleColumn"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5c9d0321256d40098b1715d5a834ee79bd2518ad"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"9556e6c2-ec71-6662-fdc0-a381d277356e","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_Single_Item"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"94ff20cd3fbd233d96ba1a91e325d2a8f8df0f09"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.947, 376298760889831, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.947, 376298760917312, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.947, 376298760931118, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.947, 376298760944914, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.947, 376298760958069, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.947, 376298760972786, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.947, 376298760994006, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.947, 376298761009215, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.947, 376298761019203, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.947, 376298761023942, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.947, 376298761071953, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.947, 376298761082001, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.947, 376298761115544, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.948, 376298761151282, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.948, 376298761183302, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.948, 376298761673061, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.948, 376298761860083, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"59fd77a7-f77d-3d3b-b37e-6b764c177a7d","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ChangeDatabase_NotSupported"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bed5e93d569c198683ee6ba89fc9be8d70ca1b18"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003295","StartTime":"2026-02-08T22:26:58.9453716+00:00","EndTime":"2026-02-08T22:26:58.9465157+00:00","Properties":[]},{"TestCase":{"Id":"eaa01d9b-65d0-c947-106a-5e99f781bcdc","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CreateParameter_CreatesInstance","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CreateParameter_CreatesInstance","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_CreateParameter_CreatesInstance"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c3ca7e6c9e221193283a27c637a58d43c57fa1e8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CreateParameter_CreatesInstance","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001399","StartTime":"2026-02-08T22:26:58.946727+00:00","EndTime":"2026-02-08T22:26:58.9467886+00:00","Properties":[]},{"TestCase":{"Id":"76f5d7ad-3f72-3483-57fe-4356c31211fe","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperAsync","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperAsync"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1f20a463a21014e1a1ae4626361cf8cff8136c20"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperAsync","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0298264","StartTime":"2026-02-08T22:26:58.9129798+00:00","EndTime":"2026-02-08T22:26:58.947021+00:00","Properties":[]},{"TestCase":{"Id":"62957b7d-4109-ad30-6619-e3fd16a75633","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandType_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandType_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_CommandType_SetterGetter"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c43b09d60c8a9bf3bc3c97c1648094919c474495"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandType_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004593","StartTime":"2026-02-08T22:26:58.9469571+00:00","EndTime":"2026-02-08T22:26:58.947244+00:00","Properties":[]},{"TestCase":{"Id":"ad072b42-fb5f-353d-c214-af344ef37d71","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_InTransaction"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"511089058d2d18ea63e272238d8e72c49fdeb86b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019951","StartTime":"2026-02-08T22:26:58.9449051+00:00","EndTime":"2026-02-08T22:26:58.947464+00:00","Properties":[]},{"TestCase":{"Id":"5022e632-a994-6027-20a3-30a3d076d1ad","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Database_Property"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d318c9f9321637877326f334eb4e48490aac7cee"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002292","StartTime":"2026-02-08T22:26:58.9474013+00:00","EndTime":"2026-02-08T22:26:58.9476919+00:00","Properties":[]},{"TestCase":{"Id":"2c74f57b-e388-3a92-cd24-dfc5c9cfa82a","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability","DisplayName":"DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AttributesControlMappingAndNullability"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3474f837d593665bd0856c011701b1297e606b4e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0064142","StartTime":"2026-02-08T22:26:58.9413061+00:00","EndTime":"2026-02-08T22:26:58.9479695+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":216,"Stats":{"Passed":216}},"ActiveTests":[{"Id":"202b3fa6-879e-e3e1-a9e5-b102e4eb4ce3","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperExecute","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperExecute","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperExecute"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"380c5e06499d006fa1c74746311f9a967463b7e7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},{"Id":"8d4b7e03-1719-df1f-668b-0856562e483d","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Any_Exists"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"51f6695aa765c18e4f4f22da021bebd989dba305"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"c74f5b64-9855-0061-7b89-801dd9286eff","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameter_Constructors"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dc400e73e37fd480775b7b49260f94f0aa0e7602"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.950, 376298763159182, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.950, 376298763191112, vstest.console.dll, InProgress is DecentDB.Tests.DapperIntegrationTests.TestDapperExecute
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.950, 376298763207032, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.950, 376298763220397, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.950, 376298763242569, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.950, 376298763257707, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.950, 376298763273617, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.950, 376298763296099, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 2 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.950, 376298763271022, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.950, 376298763355831, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.950, 376298763401437, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.950, 376298763430872, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.950, 376298763459296, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.950, 376298763469054, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.950, 376298763503318, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.950, 376298763538905, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.950, 376298763659101, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"9556e6c2-ec71-6662-fdc0-a381d277356e","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_Single_Item"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"94ff20cd3fbd233d96ba1a91e325d2a8f8df0f09"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0027580","StartTime":"2026-02-08T22:26:58.9464332+00:00","EndTime":"2026-02-08T22:26:58.9487724+00:00","Properties":[]},{"TestCase":{"Id":"17bd2927-df11-f139-2cc0-9065a68b6fe1","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OrderBy_Skip_Take_Pagination"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26e3ec7e09a9c7a32ddac1188d57ce29a8a61ead"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0033440","StartTime":"2026-02-08T22:26:58.9451429+00:00","EndTime":"2026-02-08T22:26:58.9489198+00:00","Properties":[]},{"TestCase":{"Id":"8d4b7e03-1719-df1f-668b-0856562e483d","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Any_Exists"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"51f6695aa765c18e4f4f22da021bebd989dba305"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026638","StartTime":"2026-02-08T22:26:58.9476417+00:00","EndTime":"2026-02-08T22:26:58.9492405+00:00","Properties":[]},{"TestCase":{"Id":"5eec466a-3967-59f1-232a-f22b7d672435","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.ListTablesJson_ReturnsCreatedTable","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ListTablesJson_ReturnsCreatedTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ListTablesJson_ReturnsCreatedTable"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"309742e38c212223ee69c1f5a431821ea195fac1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ListTablesJson_ReturnsCreatedTable","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008610","StartTime":"2026-02-08T22:26:58.9491673+00:00","EndTime":"2026-02-08T22:26:58.9495008+00:00","Properties":[]},{"TestCase":{"Id":"c74f5b64-9855-0061-7b89-801dd9286eff","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameter_Constructors"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dc400e73e37fd480775b7b49260f94f0aa0e7602"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0027214","StartTime":"2026-02-08T22:26:58.9478473+00:00","EndTime":"2026-02-08T22:26:58.949605+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":221,"Stats":{"Passed":221}},"ActiveTests":[{"Id":"71245ccd-2f41-6c65-b4c8-f663ca9c1e70","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip","DisplayName":"DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertQueryUpdateDelete_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"44feb4323438dc0d31a1c1349c38cf61aa003111"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"0837e8d7-981e-fe99-2e5b-58c33fcce9d7","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_Null_Predicate_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"aedfe8363696a1a88154cb81968cac6d8ea67fef"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"85e17a53-a6ea-6cd0-7446-467bffa03111","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Constructor_WithConnectionString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5bbfc58ea703cb8ac1450c8feec8f4c75c8c6ced"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"c92a6d98-9528-dfc6-e998-4c21c5cabea2","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OrderByDescending_SortsByColumnDesc"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"34602bc3676259d4548bca32a88dcdd3aff982bc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"3f24a3c8-45d3-f30d-9663-de45eaa6a8df","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DbTransaction_SetterGetter"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dd75aefd626560394b6d44f05cffbfdd704dde6c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.951, 376298764880945, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.951, 376298764907715, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.951, 376298764922072, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.951, 376298764936219, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.951, 376298764955615, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.951, 376298764969792, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.951, 376298764991372, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.951, 376298765006751, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.951, 376298765017211, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.951, 376298765021419, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.951, 376298765073607, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.951, 376298765113021, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.952, 376298765180938, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.952, 376298765205274, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.952, 376298765223408, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.952, 376298765767199, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.952, 376298766023139, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"85e17a53-a6ea-6cd0-7446-467bffa03111","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Constructor_WithConnectionString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5bbfc58ea703cb8ac1450c8feec8f4c75c8c6ced"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007327","StartTime":"2026-02-08T22:26:58.9494352+00:00","EndTime":"2026-02-08T22:26:58.9505419+00:00","Properties":[]},{"TestCase":{"Id":"3f24a3c8-45d3-f30d-9663-de45eaa6a8df","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DbTransaction_SetterGetter"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dd75aefd626560394b6d44f05cffbfdd704dde6c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006474","StartTime":"2026-02-08T22:26:58.9504559+00:00","EndTime":"2026-02-08T22:26:58.9508034+00:00","Properties":[]},{"TestCase":{"Id":"0837e8d7-981e-fe99-2e5b-58c33fcce9d7","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_Null_Predicate_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"aedfe8363696a1a88154cb81968cac6d8ea67fef"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016732","StartTime":"2026-02-08T22:26:58.949087+00:00","EndTime":"2026-02-08T22:26:58.9510463+00:00","Properties":[]},{"TestCase":{"Id":"544743ba-977d-ba36-b842-919312a74f42","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Constructor_WithPath"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"63b03e28dd6a017b34040acef0322c05e6aa8db5"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006070","StartTime":"2026-02-08T22:26:58.9507513+00:00","EndTime":"2026-02-08T22:26:58.9512929+00:00","Properties":[]},{"TestCase":{"Id":"70468a32-2f05-eb33-e307-499f98adf348","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQueryAsync","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQueryAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteNonQueryAsync"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"de69f82e7486faa4cc6b7129ba649a75783d9c64"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQueryAsync","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010963","StartTime":"2026-02-08T22:26:58.9509802+00:00","EndTime":"2026-02-08T22:26:58.9515003+00:00","Properties":[]},{"TestCase":{"Id":"23b36d5a-1ac9-83d0-5038-82c962e92b47","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Commit_ThenDispose","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Commit_ThenDispose","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBTransaction_Commit_ThenDispose"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e1c98cc6f89ea4d5e7c5366eae0233ea2bc5020d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Commit_ThenDispose","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005206","StartTime":"2026-02-08T22:26:58.9516643+00:00","EndTime":"2026-02-08T22:26:58.9517248+00:00","Properties":[]},{"TestCase":{"Id":"19748034-6bf6-1395-dbd2-6ae23a14a320","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithInvalidPath_Throws","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithInvalidPath_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Constructor_WithInvalidPath_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6bd3e5c33993a1f66ab1fb3f097802e928548d51"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithInvalidPath_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011365","StartTime":"2026-02-08T22:26:58.9514491+00:00","EndTime":"2026-02-08T22:26:58.9519729+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":228,"Stats":{"Passed":228}},"ActiveTests":[{"Id":"26f1fe6f-1383-3c20-4c0a-8924511180e8","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b4f7ef1ee433c0223f019d67ed17833ae92bbc82"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"342f3946-8762-c4d4-f9a6-760dd93258cd","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ConstructorWithConnection"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e2347e9e352b16dc0702abe7dfc29662c3002334"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"b452bea4-f038-1586-e48d-75fb3c89c714","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_OrderBy_ThenBy"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"784563e96ece45259e00faddf4b0581c0fcfcb41"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.954, 376298767682556, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.954, 376298767718894, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.954, 376298767738741, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.954, 376298767756585, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.954, 376298767787202, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.954, 376298767802471, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.954, 376298767808542, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.954, 376298767842867, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.954, 376298767850451, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.954, 376298767892019, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.954, 376298767898321, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 2 ms
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.954, 376298767930922, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.954, 376298767934259, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.954, 376298767985575, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.954, 376298768006584, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.954, 376298768024478, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.955, 376298768179299, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"342f3946-8762-c4d4-f9a6-760dd93258cd","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ConstructorWithConnection"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e2347e9e352b16dc0702abe7dfc29662c3002334"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001654","StartTime":"2026-02-08T22:26:58.9518839+00:00","EndTime":"2026-02-08T22:26:58.9527513+00:00","Properties":[]},{"TestCase":{"Id":"71245ccd-2f41-6c65-b4c8-f663ca9c1e70","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip","DisplayName":"DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertQueryUpdateDelete_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"44feb4323438dc0d31a1c1349c38cf61aa003111"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0039167","StartTime":"2026-02-08T22:26:58.9487056+00:00","EndTime":"2026-02-08T22:26:58.9530246+00:00","Properties":[]},{"TestCase":{"Id":"96c9f895-63ea-ac27-6c3f-2f28cc51e825","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ConnectionString_SetterGetter"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f0c75eb0acc79b3b76e7a9e3e0fb8420464fd267"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001568","StartTime":"2026-02-08T22:26:58.9529583+00:00","EndTime":"2026-02-08T22:26:58.9532826+00:00","Properties":[]},{"TestCase":{"Id":"c92a6d98-9528-dfc6-e998-4c21c5cabea2","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OrderByDescending_SortsByColumnDesc"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"34602bc3676259d4548bca32a88dcdd3aff982bc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0027288","StartTime":"2026-02-08T22:26:58.9504062+00:00","EndTime":"2026-02-08T22:26:58.9533726+00:00","Properties":[]},{"TestCase":{"Id":"26f1fe6f-1383-3c20-4c0a-8924511180e8","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b4f7ef1ee433c0223f019d67ed17833ae92bbc82"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024507","StartTime":"2026-02-08T22:26:58.9512186+00:00","EndTime":"2026-02-08T22:26:58.9537262+00:00","Properties":[]},{"TestCase":{"Id":"8c42a703-55ba-0646-e89b-fdb8cc430975","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn","DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectAsync_ProjectsSingleColumn"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5c9d0321256d40098b1715d5a834ee79bd2518ad"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0071763","StartTime":"2026-02-08T22:26:58.9456198+00:00","EndTime":"2026-02-08T22:26:58.953964+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":234,"Stats":{"Passed":234}},"ActiveTests":[{"Id":"a29fcf39-e67b-f406-be6e-28902fe5a60b","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.Views_CanBeMapped","DisplayName":"DecentDB.Tests.MicroOrmTests.Views_CanBeMapped","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Views_CanBeMapped"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"74674842c8be44e6dde93a9ce94cbb0008c3f720"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"3b650059-f94b-572f-b30f-9b2c8e884fee","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_UnsupportedCollection_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f16297bd462c73f0ccd14986a25d8bd7d6602b9d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"27f53195-2828-22fc-0dba-9278a07e198a","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteMany_EmptyTable_ReturnsZero"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"42e35a74a88ec2b6f6b3bc7bdc6793fcb1ec8420"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"1141117d-230b-49dc-0830-a5d716b4be28","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_With_Transaction"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d96057c31bf65fe77974b8c5e3958d376cc70df1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.956, 376298769802247, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.956, 376298769835589, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmTests.Views_CanBeMapped
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.956, 376298769856489, vstest.console.dll, InProgress is DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.956, 376298769873721, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.956, 376298769891033, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.956, 376298769921320, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.956, 376298769940266, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.956, 376298769948802, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.956, 376298769993085, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.956, 376298770033391, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.956, 376298770036847, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.956, 376298770073486, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 2 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.956, 376298770112179, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.957, 376298770138648, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.957, 376298770157574, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.957, 376298770222516, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.957, 376298770464500, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"3b650059-f94b-572f-b30f-9b2c8e884fee","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_UnsupportedCollection_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f16297bd462c73f0ccd14986a25d8bd7d6602b9d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005816","StartTime":"2026-02-08T22:26:58.9535984+00:00","EndTime":"2026-02-08T22:26:58.9547174+00:00","Properties":[]},{"TestCase":{"Id":"a49487ba-8e85-e560-f3fa-3517575907e3","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ServerVersion_Property","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ServerVersion_Property","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ServerVersion_Property"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fab42479d3630eb0bddf5d605a25aa6df2feacd8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ServerVersion_Property","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002434","StartTime":"2026-02-08T22:26:58.9548918+00:00","EndTime":"2026-02-08T22:26:58.9549544+00:00","Properties":[]},{"TestCase":{"Id":"27f53195-2828-22fc-0dba-9278a07e198a","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteMany_EmptyTable_ReturnsZero"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"42e35a74a88ec2b6f6b3bc7bdc6793fcb1ec8420"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014453","StartTime":"2026-02-08T22:26:58.9536287+00:00","EndTime":"2026-02-08T22:26:58.9551034+00:00","Properties":[]},{"TestCase":{"Id":"03fe9151-fb5e-270f-aefb-cedb3a33fe40","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_ExplicitId_StillWorks"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5f77c271f2f87a1dff6f870a891206cbca992dd1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015219","StartTime":"2026-02-08T22:26:58.954666+00:00","EndTime":"2026-02-08T22:26:58.9553413+00:00","Properties":[]},{"TestCase":{"Id":"b452bea4-f038-1586-e48d-75fb3c89c714","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_OrderBy_ThenBy"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"784563e96ece45259e00faddf4b0581c0fcfcb41"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0025447","StartTime":"2026-02-08T22:26:58.9526914+00:00","EndTime":"2026-02-08T22:26:58.9555594+00:00","Properties":[]},{"TestCase":{"Id":"598d70d3-1356-e4d3-b2ef-5f76df8abb73","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_CreateParameter","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateParameter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_CreateParameter"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6883f57bcd0cc42ed54a69ba3c12222fdbe22e96"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateParameter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004341","StartTime":"2026-02-08T22:26:58.9554957+00:00","EndTime":"2026-02-08T22:26:58.9557822+00:00","Properties":[]},{"TestCase":{"Id":"f127d69d-cc05-f054-5b64-3b612b8adcf3","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstOrDefault_EmptyTable_ReturnsNull","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstOrDefault_EmptyTable_ReturnsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstOrDefault_EmptyTable_ReturnsNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5549dccb444456e3240e8766fe6688ed1b468a1f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstOrDefault_EmptyTable_ReturnsNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013425","StartTime":"2026-02-08T22:26:58.9552782+00:00","EndTime":"2026-02-08T22:26:58.9561237+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":241,"Stats":{"Passed":241}},"ActiveTests":[{"Id":"9b42073d-10d4-9499-8190-cb6e4fed73d8","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_DeleteManyAsync_Entities"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"88187005ddfdc3727cb7aaecf67e2c6a06b28528"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"8f0eacbb-8fa5-d943-a21f-5dda0a5a8cba","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_DataSource"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8c1f3a41ce2874abf1fb7ade26d7a14b4f47ee4e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"c7dfac1f-9e49-c5ca-f226-f174574a251b","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_BooleanEquality"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5d3ee292ff8e47040b48d52117d49f3ea3fabefa"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.959, 376298772126562, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.959, 376298772161848, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.959, 376298772180814, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.959, 376298772199188, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.959, 376298772230277, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.959, 376298772243261, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.959, 376298772252659, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.959, 376298772280260, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.959, 376298772309335, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.959, 376298772328010, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.959, 376298772348589, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 2 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.959, 376298772383314, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.959, 376298772436965, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.959, 376298772455650, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.959, 376298772485416, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.959, 376298772745063, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.959, 376298772962041, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"8f0eacbb-8fa5-d943-a21f-5dda0a5a8cba","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_DataSource"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8c1f3a41ce2874abf1fb7ade26d7a14b4f47ee4e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006302","StartTime":"2026-02-08T22:26:58.9560143+00:00","EndTime":"2026-02-08T22:26:58.9572451+00:00","Properties":[]},{"TestCase":{"Id":"1141117d-230b-49dc-0830-a5d716b4be28","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_With_Transaction"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d96057c31bf65fe77974b8c5e3958d376cc70df1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0029590","StartTime":"2026-02-08T22:26:58.9539143+00:00","EndTime":"2026-02-08T22:26:58.9576888+00:00","Properties":[]},{"TestCase":{"Id":"a29fcf39-e67b-f406-be6e-28902fe5a60b","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.Views_CanBeMapped","DisplayName":"DecentDB.Tests.MicroOrmTests.Views_CanBeMapped","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Views_CanBeMapped"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"74674842c8be44e6dde93a9ce94cbb0008c3f720"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.Views_CanBeMapped","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0045102","StartTime":"2026-02-08T22:26:58.9532066+00:00","EndTime":"2026-02-08T22:26:58.9580452+00:00","Properties":[]},{"TestCase":{"Id":"9b42073d-10d4-9499-8190-cb6e4fed73d8","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_DeleteManyAsync_Entities"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"88187005ddfdc3727cb7aaecf67e2c6a06b28528"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023706","StartTime":"2026-02-08T22:26:58.9557316+00:00","EndTime":"2026-02-08T22:26:58.9583735+00:00","Properties":[]},{"TestCase":{"Id":"c7dfac1f-9e49-c5ca-f226-f174574a251b","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_BooleanEquality"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5d3ee292ff8e47040b48d52117d49f3ea3fabefa"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0018777","StartTime":"2026-02-08T22:26:58.9571571+00:00","EndTime":"2026-02-08T22:26:58.958706+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":246,"Stats":{"Passed":246}},"ActiveTests":[{"Id":"041e5553-38e8-e4b1-b12f-cb2c6eabc77f","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere","DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectAsync_WithWhere"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8d3999b19d7cfcd5d168127dd4b0de112078e6a2"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"3d72b9f2-8007-f51d-9a97-c67ae7e323de","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Transaction_Rollback_On_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dbcc8173419b2bd3c85f6706c55a12271538e144"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"2ff57458-8ad0-0ccc-ca6a-a72fc54aff4b","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax","DisplayName":"DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SupportsQueryableLinqSyntax"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b397ad5be7c2d5c14490aa880a7f707c0ca85c30"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"07348ac8-1669-6647-569a-cd1c68ffef57","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Set_GenericMethod"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"98fe09b808ceadad21795db1b9ff000efd430759"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"b18dad66-03f2-4135-071a-4e1f3d2f9aec","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertMany_InExplicitTransaction_Commit"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6bb6f4396a95870e8a61ef681aeb45b5917bdea1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.961, 376298774200186, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.961, 376298774233298, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.961, 376298774253757, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.961, 376298774272171, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.961, 376298774290456, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.961, 376298774310223, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.961, 376298774342153, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.961, 376298774363513, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.961, 376298774362150, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.961, 376298774392127, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.961, 376298774435278, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.961, 376298774485913, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.961, 376298774486834, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 2 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.961, 376298774534454, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.961, 376298774556435, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.964, 376298777869948, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.964, 376298778112373, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"07348ac8-1669-6647-569a-cd1c68ffef57","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Set_GenericMethod"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"98fe09b808ceadad21795db1b9ff000efd430759"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007967","StartTime":"2026-02-08T22:26:58.9586318+00:00","EndTime":"2026-02-08T22:26:58.9617422+00:00","Properties":[]},{"TestCase":{"Id":"041e5553-38e8-e4b1-b12f-cb2c6eabc77f","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere","DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectAsync_WithWhere"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8d3999b19d7cfcd5d168127dd4b0de112078e6a2"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024550","StartTime":"2026-02-08T22:26:58.9575789+00:00","EndTime":"2026-02-08T22:26:58.962225+00:00","Properties":[]},{"TestCase":{"Id":"ab5b636d-61e6-f896-f42c-ff768ba76c96","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnection","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_CreateConnection"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8e80433c49f30417ce291adee70783d0950a6167"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnection","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001815","StartTime":"2026-02-08T22:26:58.9624989+00:00","EndTime":"2026-02-08T22:26:58.9626105+00:00","Properties":[]},{"TestCase":{"Id":"3d72b9f2-8007-f51d-9a97-c67ae7e323de","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Transaction_Rollback_On_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dbcc8173419b2bd3c85f6706c55a12271538e144"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026037","StartTime":"2026-02-08T22:26:58.9579469+00:00","EndTime":"2026-02-08T22:26:58.9630031+00:00","Properties":[]},{"TestCase":{"Id":"b18dad66-03f2-4135-071a-4e1f3d2f9aec","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertMany_InExplicitTransaction_Commit"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6bb6f4396a95870e8a61ef681aeb45b5917bdea1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017123","StartTime":"2026-02-08T22:26:58.9596774+00:00","EndTime":"2026-02-08T22:26:58.9633683+00:00","Properties":[]},{"TestCase":{"Id":"d3f9d759-1a6a-1a54-dd04-6924545e7b63","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_InsertAsync_SingleEntity"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a134e7fa820a1aa28593a7c4ac9a5b73099b3406"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016528","StartTime":"2026-02-08T22:26:58.9621442+00:00","EndTime":"2026-02-08T22:26:58.963734+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":252,"Stats":{"Passed":252}},"ActiveTests":[{"Id":"c7a11043-95d1-a7bf-579c-ddbd8f043673","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Indexes_ReturnsTable"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9a1a3e40fbd62eb8da872c80156311e1ca5d6ce0"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"66a4fcb2-edef-91eb-7f80-628996536ce7","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_With_Null_Value_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e43910b73ecb7a8cf2b5f23019f9073dde0010d9"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"82a063ad-648b-0a8f-23df-aa21da3102a5","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_LessThanOrEqual"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"869b3dd0d7d7b7016747e02449afb2482e7ce4d7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"eeff2b84-83a5-86b0-2b2b-50676318def5","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_UpdateAsync_Entity"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"af53ca4a8dc8b34e6875d11f679c7a985c5565d8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.966, 376298779868311, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.966, 376298779906533, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.966, 376298779926360, vstest.console.dll, InProgress is DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.966, 376298779943953, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.966, 376298779961506, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.966, 376298780002082, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.966, 376298780024063, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.966, 376298780036166, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.966, 376298780046786, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.966, 376298780094636, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.967, 376298780127668, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 5 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.967, 376298780132507, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.967, 376298780199573, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.967, 376298780227746, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.967, 376298780304921, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.967, 376298780418384, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.967, 376298780666851, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"82a063ad-648b-0a8f-23df-aa21da3102a5","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_LessThanOrEqual"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"869b3dd0d7d7b7016747e02449afb2482e7ce4d7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020738","StartTime":"2026-02-08T22:26:58.963636+00:00","EndTime":"2026-02-08T22:26:58.9648951+00:00","Properties":[]},{"TestCase":{"Id":"66a4fcb2-edef-91eb-7f80-628996536ce7","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_With_Null_Value_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e43910b73ecb7a8cf2b5f23019f9073dde0010d9"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0029912","StartTime":"2026-02-08T22:26:58.9632712+00:00","EndTime":"2026-02-08T22:26:58.9653075+00:00","Properties":[]},{"TestCase":{"Id":"eeff2b84-83a5-86b0-2b2b-50676318def5","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_UpdateAsync_Entity"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"af53ca4a8dc8b34e6875d11f679c7a985c5565d8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020402","StartTime":"2026-02-08T22:26:58.9647989+00:00","EndTime":"2026-02-08T22:26:58.9655856+00:00","Properties":[]},{"TestCase":{"Id":"c7a11043-95d1-a7bf-579c-ddbd8f043673","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Indexes_ReturnsTable"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9a1a3e40fbd62eb8da872c80156311e1ca5d6ce0"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0034824","StartTime":"2026-02-08T22:26:58.9628855+00:00","EndTime":"2026-02-08T22:26:58.9659636+00:00","Properties":[]},{"TestCase":{"Id":"518ca80f-342f-4cb3-4c6f-beec12fa86be","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_CreateCommand","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateCommand","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_CreateCommand"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9b1da149289f33eb0cd84062a384952b124c14ba"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateCommand","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001569","StartTime":"2026-02-08T22:26:58.966152+00:00","EndTime":"2026-02-08T22:26:58.9662149+00:00","Properties":[]},{"TestCase":{"Id":"e3ba815c-82a8-8b3b-39e5-79cf626e5ff6","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Indexes_UniqueIndex"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9c50931618d45df78cba8688812cf605c3f2fd7d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010287","StartTime":"2026-02-08T22:26:58.9663701+00:00","EndTime":"2026-02-08T22:26:58.9664428+00:00","Properties":[]},{"TestCase":{"Id":"cc6b7ee5-938f-0881-4c79-fa2d165abd5f","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_CanCreateDataSourceEnumerator_IsFalse","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CanCreateDataSourceEnumerator_IsFalse","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_CanCreateDataSourceEnumerator_IsFalse"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9e35098f45d07080e2a65a7020345aa2b3557e63"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CanCreateDataSourceEnumerator_IsFalse","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001184","StartTime":"2026-02-08T22:26:58.9665959+00:00","EndTime":"2026-02-08T22:26:58.9666578+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":259,"Stats":{"Passed":259}},"ActiveTests":[{"Id":"5d7e3914-aa2d-1f03-6a5a-5337f5d27cdb","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_NotEqual"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8ad495a361d4490b3041428f672ec3c82141f806"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"789e6a1c-bbe6-0e9e-2293-56c685a6a4ba","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_First_FirstOrDefault"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bb9ba1205d830a929dffde64f997ad28580cb791"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"2eb90095-4db2-a177-4158-17535c6b8e50","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_Instance_NotNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"aad5984f599fa11a803192b76c9129aa2e9360d8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.969, 376298782462433, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.969, 376298782555127, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.969, 376298782581266, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.969, 376298782604790, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.969, 376298782649374, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.969, 376298782673820, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.969, 376298782688467, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.969, 376298782698867, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 2 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.969, 376298782743611, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.969, 376298782775691, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 2 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.969, 376298782805948, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.969, 376298782835824, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.969, 376298782842637, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.969, 376298782875769, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.969, 376298782908881, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.969, 376298782932245, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.969, 376298783114898, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"2eb90095-4db2-a177-4158-17535c6b8e50","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_Instance_NotNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"aad5984f599fa11a803192b76c9129aa2e9360d8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0000656","StartTime":"2026-02-08T22:26:58.9673255+00:00","EndTime":"2026-02-08T22:26:58.967391+00:00","Properties":[]},{"TestCase":{"Id":"789e6a1c-bbe6-0e9e-2293-56c685a6a4ba","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_First_FirstOrDefault"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bb9ba1205d830a929dffde64f997ad28580cb791"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023781","StartTime":"2026-02-08T22:26:58.9658768+00:00","EndTime":"2026-02-08T22:26:58.9676576+00:00","Properties":[]},{"TestCase":{"Id":"66fa9c0e-9134-c564-4ed5-1ce0dd23f7b5","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Indexes_FilterByTable"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b3e303e949f416f33931ed4c3d29862be6c1d993"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009332","StartTime":"2026-02-08T22:26:58.967594+00:00","EndTime":"2026-02-08T22:26:58.9678824+00:00","Properties":[]},{"TestCase":{"Id":"5d7e3914-aa2d-1f03-6a5a-5337f5d27cdb","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_NotEqual"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8ad495a361d4490b3041428f672ec3c82141f806"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0034267","StartTime":"2026-02-08T22:26:58.9652088+00:00","EndTime":"2026-02-08T22:26:58.9680981+00:00","Properties":[]},{"TestCase":{"Id":"92b0e310-2442-06b0-2990-03e1d2cdf962","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetTableColumnsJson_ReturnsColumnMetadata"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"979a3a45de1cced5cfc08080d8d7579c8570152c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0063653","StartTime":"2026-02-08T22:26:58.9682659+00:00","EndTime":"2026-02-08T22:26:58.9683388+00:00","Properties":[]},{"TestCase":{"Id":"04ba433b-8870-b884-05bf-b3bae96d2f31","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_IgnoresDuplicate","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_IgnoresDuplicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertOrIgnoreAsync_IgnoresDuplicate"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b7e7478498150b2a05f59be9321eda20d6af4d3c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_IgnoresDuplicate","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0071553","StartTime":"2026-02-08T22:26:58.9680357+00:00","EndTime":"2026-02-08T22:26:58.968555+00:00","Properties":[]},{"TestCase":{"Id":"38a6ee3f-fa3b-9713-c45b-59e9eb047b9e","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_ExistingEntity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_ExistingEntity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_GetAsync_ExistingEntity"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c195edc053651a00e438d09af682c2d9c8d9d1fd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_ExistingEntity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0074543","StartTime":"2026-02-08T22:26:58.9678319+00:00","EndTime":"2026-02-08T22:26:58.9687673+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":266,"Stats":{"Passed":266}},"ActiveTests":[{"Id":"d2157c8c-43f4-6772-ba74-097f050f7091","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ThenBy_MultiColumnSort"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"99746ef076e17759bba54e87cdefbca8e403df19"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"fd61b3b4-47d1-a379-d570-458f2059b61f","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_CreateConnectionStringBuilder"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b884bd9992cb0220983c3ba62ee554084d1373b4"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"9111692d-b29b-f2f6-90ef-710305b1aa5d","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_GetAsync_NonExistingEntity"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ce66a79f85e9f6f7772632a7e6e4a66ddead122b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.972, 376298786035092, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.972, 376298786113159, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.973, 376298786137394, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.973, 376298786157743, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.973, 376298786194361, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.973, 376298786217665, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.973, 376298786233355, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.973, 376298786245658, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 3 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.973, 376298786300972, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.973, 376298786336959, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 3 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.973, 376298786337971, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.973, 376298786373317, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.973, 376298786408664, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.973, 376298786443279, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.973, 376298786471582, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.973, 376298786497330, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.973, 376298786617536, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"fd61b3b4-47d1-a379-d570-458f2059b61f","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_CreateConnectionStringBuilder"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b884bd9992cb0220983c3ba62ee554084d1373b4"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002099","StartTime":"2026-02-08T22:26:58.9687054+00:00","EndTime":"2026-02-08T22:26:58.9694997+00:00","Properties":[]},{"TestCase":{"Id":"2ff57458-8ad0-0ccc-ca6a-a72fc54aff4b","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax","DisplayName":"DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SupportsQueryableLinqSyntax"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b397ad5be7c2d5c14490aa880a7f707c0ca85c30"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0162206","StartTime":"2026-02-08T22:26:58.9582939+00:00","EndTime":"2026-02-08T22:26:58.9697775+00:00","Properties":[]},{"TestCase":{"Id":"62a127fa-e3cb-4946-277d-5500041c7973","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities","DisplayName":"DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"QueryAsync_ReturnsEntities"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bd3dceec156265860c58c4c59c3f9c8239fab751"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015685","StartTime":"2026-02-08T22:26:58.9697012+00:00","EndTime":"2026-02-08T22:26:58.9700206+00:00","Properties":[]},{"TestCase":{"Id":"d2157c8c-43f4-6772-ba74-097f050f7091","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ThenBy_MultiColumnSort"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"99746ef076e17759bba54e87cdefbca8e403df19"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024136","StartTime":"2026-02-08T22:26:58.9684932+00:00","EndTime":"2026-02-08T22:26:58.9701903+00:00","Properties":[]},{"TestCase":{"Id":"9111692d-b29b-f2f6-90ef-710305b1aa5d","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_GetAsync_NonExistingEntity"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ce66a79f85e9f6f7772632a7e6e4a66ddead122b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016906","StartTime":"2026-02-08T22:26:58.9694461+00:00","EndTime":"2026-02-08T22:26:58.9704351+00:00","Properties":[]},{"TestCase":{"Id":"5f2dd9b3-fe84-a3af-7e0d-80088ad2929f","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_SetProperties","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_SetProperties","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_SetProperties"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d3902a53102b9f896b5f6b9022242d18d999d6e6"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_SetProperties","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005141","StartTime":"2026-02-08T22:26:58.9703182+00:00","EndTime":"2026-02-08T22:26:58.9706786+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":272,"Stats":{"Passed":272}},"ActiveTests":[{"Id":"baae10db-f229-fc3c-05ca-0ace1d4cb737","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip","DisplayName":"DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllDataTypes_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bd9fd58c2f92480235e8d00653b79241af39bd75"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"07f5ed88-161f-afbd-cc7d-b0c904e09e81","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_LessThan"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9d0f6f84c2e4f46c547eadea027f630e44aeab31"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"3d994371-c6db-aae9-f792-32920726b2bf","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Where_Clause"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d8735cc19b640ba08e4b44297bc31752cfa66a60"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"d3d245ab-8c3e-230e-9f91-e64ad96dcf04","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_Defaults"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d3e2a7df3638e7f69884a30d1558463f8c6f943e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.974, 376298787905154, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.974, 376298787934099, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.974, 376298787951221, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.974, 376298787966550, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.974, 376298787981698, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.974, 376298788004781, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.974, 376298788021212, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.974, 376298788031892, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.974, 376298788037984, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.974, 376298788082317, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.974, 376298788090963, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.974, 376298788116722, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.975, 376298788130157, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.975, 376298788166455, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.975, 376298788200769, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.975, 376298788233120, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.975, 376298788320124, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"d3d245ab-8c3e-230e-9f91-e64ad96dcf04","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_Defaults"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d3e2a7df3638e7f69884a30d1558463f8c6f943e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001359","StartTime":"2026-02-08T22:26:58.9713064+00:00","EndTime":"2026-02-08T22:26:58.9713718+00:00","Properties":[]},{"TestCase":{"Id":"18d596f5-9504-f600-9190-88e11c0a6246","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_UsableWithConnection","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_UsableWithConnection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_UsableWithConnection"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"de796512796d78a08d55ac500d9ddaa14fe09f4d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_UsableWithConnection","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004047","StartTime":"2026-02-08T22:26:58.9715654+00:00","EndTime":"2026-02-08T22:26:58.9716386+00:00","Properties":[]},{"TestCase":{"Id":"202b3fa6-879e-e3e1-a9e5-b102e4eb4ce3","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperExecute","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperExecute","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperExecute"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"380c5e06499d006fa1c74746311f9a967463b7e7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperExecute","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0289274","StartTime":"2026-02-08T22:26:58.9471929+00:00","EndTime":"2026-02-08T22:26:58.9718675+00:00","Properties":[]},{"TestCase":{"Id":"07f5ed88-161f-afbd-cc7d-b0c904e09e81","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_LessThan"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9d0f6f84c2e4f46c547eadea027f630e44aeab31"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019509","StartTime":"2026-02-08T22:26:58.9703968+00:00","EndTime":"2026-02-08T22:26:58.9720863+00:00","Properties":[]},{"TestCase":{"Id":"3d994371-c6db-aae9-f792-32920726b2bf","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Where_Clause"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d8735cc19b640ba08e4b44297bc31752cfa66a60"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024635","StartTime":"2026-02-08T22:26:58.9706046+00:00","EndTime":"2026-02-08T22:26:58.9723293+00:00","Properties":[]},{"TestCase":{"Id":"27918ad1-752e-0f9b-5e76-24ac132fa3f2","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow","DisplayName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpsertAsync_InsertsNewRow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e0842c27e282296553a580d44e90a2c2fcda2552"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015229","StartTime":"2026-02-08T22:26:58.9718045+00:00","EndTime":"2026-02-08T22:26:58.9725505+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":278,"Stats":{"Passed":278}},"ActiveTests":[{"Id":"1d4c207e-eb9a-deed-452b-605cad4121e3","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperQuery","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperQuery","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperQuery"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c4adf8062df283e961afb8953695c7870db8f5d6"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},{"Id":"e241c2b5-7b8b-f004-7066-ad10db6d2f2d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_OrCondition"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9d2dcadfa92853d0c00e3720096111c50c02c8a7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"91a89308-e50a-8ba3-080d-c0cbc9fcfa57","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_SingleOrDefault"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f598e3383f4957415cffaafcf16348e52706671d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"0a99e093-c5a4-ffea-034a-e0099225c88d","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_MetaDataCollections_IncludesIndexes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ff4fb2b142ae7308aee7751112d221a85d6421d7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.976, 376298789596250, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.976, 376298789631957, vstest.console.dll, InProgress is DecentDB.Tests.DapperIntegrationTests.TestDapperQuery
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.976, 376298789647296, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.976, 376298789661944, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.976, 376298789676711, vstest.console.dll, InProgress is DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.976, 376298789700476, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.976, 376298789718430, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.976, 376298789726986, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.976, 376298789734991, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.976, 376298789772371, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.976, 376298789782229, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.976, 376298789808679, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.976, 376298789819750, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.976, 376298789847111, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.976, 376298789881476, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.976, 376298789911292, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.976, 376298790008735, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"0a99e093-c5a4-ffea-034a-e0099225c88d","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_MetaDataCollections_IncludesIndexes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ff4fb2b142ae7308aee7751112d221a85d6421d7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005723","StartTime":"2026-02-08T22:26:58.9732095+00:00","EndTime":"2026-02-08T22:26:58.9732856+00:00","Properties":[]},{"TestCase":{"Id":"e241c2b5-7b8b-f004-7066-ad10db6d2f2d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_OrCondition"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9d2dcadfa92853d0c00e3720096111c50c02c8a7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020125","StartTime":"2026-02-08T22:26:58.9722559+00:00","EndTime":"2026-02-08T22:26:58.9734805+00:00","Properties":[]},{"TestCase":{"Id":"91a89308-e50a-8ba3-080d-c0cbc9fcfa57","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_SingleOrDefault"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f598e3383f4957415cffaafcf16348e52706671d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020345","StartTime":"2026-02-08T22:26:58.9725006+00:00","EndTime":"2026-02-08T22:26:58.9737363+00:00","Properties":[]},{"TestCase":{"Id":"1d4c207e-eb9a-deed-452b-605cad4121e3","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperQuery","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperQuery","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperQuery"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c4adf8062df283e961afb8953695c7870db8f5d6"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperQuery","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0028513","StartTime":"2026-02-08T22:26:58.9720357+00:00","EndTime":"2026-02-08T22:26:58.9739571+00:00","Properties":[]},{"TestCase":{"Id":"242a2121-9b92-eeb3-e4f7-233e2ba3571e","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperParameters","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperParameters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e5a35057982e63cf6305ca75fef8fa06e9bd8787"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperParameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012562","StartTime":"2026-02-08T22:26:58.9741291+00:00","EndTime":"2026-02-08T22:26:58.9742018+00:00","Properties":[]},{"TestCase":{"Id":"854be571-ac49-e8c1-bcd9-2b100af34386","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_DeleteAsync_Entity"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f7f0bce25124eea93340b5a02bb6d79847ac9657"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0025444","StartTime":"2026-02-08T22:26:58.9739054+00:00","EndTime":"2026-02-08T22:26:58.9743446+00:00","Properties":[]},{"TestCase":{"Id":"baae10db-f229-fc3c-05ca-0ace1d4cb737","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip","DisplayName":"DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllDataTypes_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bd9fd58c2f92480235e8d00653b79241af39bd75"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0084482","StartTime":"2026-02-08T22:26:58.9699474+00:00","EndTime":"2026-02-08T22:26:58.9744893+00:00","Properties":[]},{"TestCase":{"Id":"b4f134ec-fe45-ea0d-bbe4-5d3379545e4f","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.CommonTableExpressions_Supported","DisplayName":"DecentDB.Tests.MicroOrmTests.CommonTableExpressions_Supported","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CommonTableExpressions_Supported"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c035632ae9b078f3f3571e4ae1dc25bc4f8d3ca8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.CommonTableExpressions_Supported","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015954","StartTime":"2026-02-08T22:26:58.9746582+00:00","EndTime":"2026-02-08T22:26:58.9747194+00:00","Properties":[]},{"TestCase":{"Id":"d97fdbc2-5a64-4eaf-524a-53214ae6e189","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"EnumProperty_RoundTrip_ViaMicroOrm"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9edc87fc1480d093c4f70472c1f12d1e3bc59fef"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0079265","StartTime":"2026-02-08T22:26:58.9736739+00:00","EndTime":"2026-02-08T22:26:58.9748613+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":287,"Stats":{"Passed":287}},"ActiveTests":[{"Id":"5ad0f035-7c82-0045-6af3-bdcf2a48fcc9","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CountAsync_WithPredicate"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a089f21c543dc2b3e4ba482db3964fa431a20da3"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.978, 376298791358339, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.978, 376298791388496, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.978, 376298791421177, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.978, 376298791445754, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.978, 376298791446966, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.978, 376298791463287, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.978, 376298791502660, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.978, 376298791508922, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.978, 376298791540001, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.978, 376298791549308, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.978, 376298791586448, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.978, 376298791618809, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.978, 376298791648855, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.978, 376298791674944, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.978, 376298791703818, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.978, 376298791735087, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.978, 376298791768179, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"5ad0f035-7c82-0045-6af3-bdcf2a48fcc9","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CountAsync_WithPredicate"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a089f21c543dc2b3e4ba482db3964fa431a20da3"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023019","StartTime":"2026-02-08T22:26:58.9755389+00:00","EndTime":"2026-02-08T22:26:58.9756068+00:00","Properties":[]},{"TestCase":{"Id":"ecd4593f-fbac-a8cf-1572-3db1b651fce4","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Take_Zero_ReturnsEmpty","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Take_Zero_ReturnsEmpty","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Take_Zero_ReturnsEmpty"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a5ba6c24283e1967831092f0698786eb3ba3d85c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Take_Zero_ReturnsEmpty","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0021425","StartTime":"2026-02-08T22:26:58.9758013+00:00","EndTime":"2026-02-08T22:26:58.9758636+00:00","Properties":[]},{"TestCase":{"Id":"b0b1f2f7-2d30-2c5e-9975-6ea061ce4940","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Convention_SnakeCasePluralTableName","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Convention_SnakeCasePluralTableName","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Convention_SnakeCasePluralTableName"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ad303a9e844b9a56003810e3d5880756eb679de7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Convention_SnakeCasePluralTableName","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0035021","StartTime":"2026-02-08T22:26:58.9760488+00:00","EndTime":"2026-02-08T22:26:58.9761104+00:00","Properties":[]},{"TestCase":{"Id":"b51403a8-3351-6942-37fa-7530929c801a","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstAsync_WithPredicate"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b0ff837483ba4746cbf92dca2d1cff6d2e076290"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017619","StartTime":"2026-02-08T22:26:58.9762743+00:00","EndTime":"2026-02-08T22:26:58.9763358+00:00","Properties":[]},{"TestCase":{"Id":"122e0812-ab63-3620-3b9a-9380ea4b1051","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteByIdAsync_NonExistent_DoesNotThrow","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteByIdAsync_NonExistent_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteByIdAsync_NonExistent_DoesNotThrow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b35119981080eb8de28ec076591831162a2bf00f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteByIdAsync_NonExistent_DoesNotThrow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0018063","StartTime":"2026-02-08T22:26:58.9765143+00:00","EndTime":"2026-02-08T22:26:58.9765753+00:00","Properties":[]},{"TestCase":{"Id":"b68fd8b9-a7b9-d610-97eb-9ee7b0ea0e74","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Set_MultipleCallsReturnWorkingSets","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Set_MultipleCallsReturnWorkingSets","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Set_MultipleCallsReturnWorkingSets"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c86e95fe22d44d3274e613e7958efff9d6c88e58"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Set_MultipleCallsReturnWorkingSets","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013938","StartTime":"2026-02-08T22:26:58.9767458+00:00","EndTime":"2026-02-08T22:26:58.9768077+00:00","Properties":[]},{"TestCase":{"Id":"3ed9b42a-9748-79e6-7882-b1feae38b81d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_GreaterThan","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_GreaterThan","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_GreaterThan"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cfb90f61e1d3102a63e71bdae8b58ca21f92cc70"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_GreaterThan","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017278","StartTime":"2026-02-08T22:26:58.9769761+00:00","EndTime":"2026-02-08T22:26:58.9770377+00:00","Properties":[]},{"TestCase":{"Id":"f5e5d7a5-8f51-150d-61b9-9bfacc8871b9","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumParameter_RoundTrip_ViaAdoNet","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumParameter_RoundTrip_ViaAdoNet","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"EnumParameter_RoundTrip_ViaAdoNet"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d71ebc903c3189a28bbf40a968f8769ee553c5c3"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumParameter_RoundTrip_ViaAdoNet","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0058762","StartTime":"2026-02-08T22:26:58.9772052+00:00","EndTime":"2026-02-08T22:26:58.9772661+00:00","Properties":[]},{"TestCase":{"Id":"2a10a141-dcba-8129-9d89-c124b18d8fb1","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNull","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_IsNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d78ea56d53a9380cc5b8c86411a47696a84805c8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024531","StartTime":"2026-02-08T22:26:58.9774315+00:00","EndTime":"2026-02-08T22:26:58.9774921+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":296,"Stats":{"Passed":296}},"ActiveTests":[{"Id":"430a460b-7950-fa41-29c4-b050e92366d7","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AnyAsync_WithPredicate_NoMatch"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d84016b2162179d8d8bb3f903fd86a4413efb5dd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.980, 376298793134605, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.980, 376298793168539, vstest.console.dll, InProgress is DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.980, 376298793194548, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.980, 376298793212111, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.980, 376298793219845, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.980, 376298793229554, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 1 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.980, 376298793269348, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.980, 376298793275300, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 1 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.980, 376298793309343, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.980, 376298793344580, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.980, 376298793375007, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.980, 376298793405494, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.980, 376298793433657, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.980, 376298793459475, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.980, 376298793485855, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.982, 376298795456967, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.982, 376298795573786, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"[xUnit.net 00:00:00.43] Finished: DecentDB.Tests"}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.982, 376298795680747, vstest.console.dll, TestRunRequest:SendTestRunMessage: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.982, 376298795776427, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.LogMessages: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.TestRunResultAggregator., took 0 ms.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:58.982, 376298795812254, vstest.console.dll, TestRunRequest:SendTestRunMessage: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.982, 376298795837441, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.982, 376298795862438, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437 after 2 ms
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:58.982, 376298795994937, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestRunMessage: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.998, 376298811582200, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.998, 376298811861455, vstest.console.dll, TestRequestSender.OnExecutionMessageReceived: Received message: {"Version":7,"MessageType":"TestExecution.Completed","Payload":{"TestRunCompleteArgs":{"TestRunStatistics":{"ExecutedTests":305,"Stats":{"Passed":305}},"IsCanceled":false,"IsAborted":false,"Error":null,"AttachmentSets":[],"InvokedDataCollectors":[],"ElapsedTimeInRunningTests":"00:00:00.4437136","Metrics":{},"DiscoveredExtensions":{"TestDiscoverers":["Xunit.Runner.VisualStudio.VsTestRunner, xunit.runner.visualstudio.testadapter, Version=3.1.5.0, Culture=neutral, PublicKeyToken=null"],"TestExecutors":["executor://xunit/VsTestRunner3/netcore/"],"TestExecutors2":[],"TestSettingsProviders":[]}},"LastRunTests":{"NewTestResults":[{"TestCase":{"Id":"430a460b-7950-fa41-29c4-b050e92366d7","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AnyAsync_WithPredicate_NoMatch"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d84016b2162179d8d8bb3f903fd86a4413efb5dd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017362","StartTime":"2026-02-08T22:26:58.9781851+00:00","EndTime":"2026-02-08T22:26:58.9782512+00:00","Properties":[]},{"TestCase":{"Id":"39439d5c-609d-167a-f412-51e71101105b","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_EmptyTable_ReturnsZero","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_EmptyTable_ReturnsZero","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CountAsync_EmptyTable_ReturnsZero"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d9e684d77819bf8516165d5d08b093cb378a738c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_EmptyTable_ReturnsZero","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011191","StartTime":"2026-02-08T22:26:58.9784588+00:00","EndTime":"2026-02-08T22:26:58.9785207+00:00","Properties":[]},{"TestCase":{"Id":"59a72e5c-2760-e780-f527-0a653fa30cf5","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_StartsWith_MultiChar","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_StartsWith_MultiChar","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_StartsWith_MultiChar"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dd6daf588381f801638a262b237f34b59faf467f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_StartsWith_MultiChar","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0018037","StartTime":"2026-02-08T22:26:58.9786882+00:00","EndTime":"2026-02-08T22:26:58.9787503+00:00","Properties":[]},{"TestCase":{"Id":"dda250f5-6f34-c920-bd39-478a494d9809","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_CapturedVariable"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e6b7c7d89c5801c9c2292b3a3bbe64cbdf7d1dca"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0021747","StartTime":"2026-02-08T22:26:58.9789149+00:00","EndTime":"2026-02-08T22:26:58.978977+00:00","Properties":[]},{"TestCase":{"Id":"b2163b8c-c1f9-e426-d7ee-8d48f22cdb9d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.SqlEvents_CaptureCommandText","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.SqlEvents_CaptureCommandText","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SqlEvents_CaptureCommandText"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e71049556da2d336bd6bdd608c22d1d5e5562af5"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.SqlEvents_CaptureCommandText","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014031","StartTime":"2026-02-08T22:26:58.9791438+00:00","EndTime":"2026-02-08T22:26:58.9792045+00:00","Properties":[]},{"TestCase":{"Id":"1d1177e2-6c5d-e7f8-5e69-75f0d79fd3d6","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_EndsWith","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_EndsWith","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_EndsWith"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f030b489a52eb5019bafce332cfd18213964e609"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_EndsWith","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019389","StartTime":"2026-02-08T22:26:58.9793949+00:00","EndTime":"2026-02-08T22:26:58.9794585+00:00","Properties":[]},{"TestCase":{"Id":"e6d1f660-25aa-258a-0fd1-7f0679d07621","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.DerivedContext_CrudThroughProperty","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DerivedContext_CrudThroughProperty","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DerivedContext_CrudThroughProperty"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f2cd312b351537a43b2a980203da23bc82f57312"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DerivedContext_CrudThroughProperty","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0022043","StartTime":"2026-02-08T22:26:58.9796294+00:00","EndTime":"2026-02-08T22:26:58.9796909+00:00","Properties":[]},{"TestCase":{"Id":"4ef3793f-9d68-19fb-ef50-0123a4dbf9da","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Skip_BeyondData_ReturnsEmpty","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Skip_BeyondData_ReturnsEmpty","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Skip_BeyondData_ReturnsEmpty"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f4b854a61b638186cf308f11e120a3d46016db00"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Skip_BeyondData_ReturnsEmpty","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0018062","StartTime":"2026-02-08T22:26:58.9798566+00:00","EndTime":"2026-02-08T22:26:58.9799184+00:00","Properties":[]},{"TestCase":{"Id":"8eba0ed4-027f-6806-e676-8b442fe923b2","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenByDescending_MultiColumnSort","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenByDescending_MultiColumnSort","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ThenByDescending_MultiColumnSort"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f9f06fcb670cf8f48dd5e3afb64c4657bd6b83cc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenByDescending_MultiColumnSort","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020381","StartTime":"2026-02-08T22:26:58.980082+00:00","EndTime":"2026-02-08T22:26:58.9801442+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":305,"Stats":{"Passed":305}},"ActiveTests":[]},"RunAttachments":[],"ExecutorUris":["executor://xunit/VsTestRunner3/netcore/"]}}
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.998, 376298811981019, vstest.console.dll, TestRequestSender.EndSession: Sending end session.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:58.998, 376298812098810, vstest.console.dll, ProxyOperationManager.Close: waiting for test host to exit for 100 ms
-TpTrace Verbose: 0 : 1787404, 10, 2026/02/08, 16:26:59.018, 376298831710620, vstest.console.dll, TestHostManagerCallbacks.StandardOutputReceivedCallback Test host standard output line:
-TpTrace Warning: 0 : 1787404, 5, 2026/02/08, 16:26:59.018, 376298831710781, vstest.console.dll, TestHostManagerCallbacks.ErrorReceivedCallback Test host standard error line:
-TpTrace Verbose: 0 : 1787404, 12, 2026/02/08, 16:26:59.020, 376298833307439, vstest.console.dll, TestHostProvider.ExitCallBack: Host exited starting callback.
-TpTrace Information: 0 : 1787404, 12, 2026/02/08, 16:26:59.020, 376298833407517, vstest.console.dll, TestHostManagerCallbacks.ExitCallBack: Testhost processId: 1787416 exited with exitcode: 0 error: ''
-TpTrace Verbose: 0 : 1787404, 12, 2026/02/08, 16:26:59.020, 376298833436431, vstest.console.dll, DotnetTestHostManager.OnHostExited: invoking OnHostExited callback
-TpTrace Verbose: 0 : 1787404, 12, 2026/02/08, 16:26:59.020, 376298833482047, vstest.console.dll, CrossPlatEngine.TestHostManagerHostExited: calling on client process exit callback.
-TpTrace Information: 0 : 1787404, 12, 2026/02/08, 16:26:59.020, 376298833521531, vstest.console.dll, TestRequestSender.OnClientProcessExit: Test host process exited. Standard error:
-TpTrace Information: 0 : 1787404, 12, 2026/02/08, 16:26:59.020, 376298833561777, vstest.console.dll, SocketServer.Stop: Stop server endPoint: 127.0.0.1:41437
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:59.020, 376298833571685, vstest.console.dll, SocketServer.Stop: Stop server endPoint: 127.0.0.1:41437
-TpTrace Information: 0 : 1787404, 12, 2026/02/08, 16:26:59.020, 376298833578117, vstest.console.dll, SocketServer.Stop: Cancellation requested. Stopping message loop.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:59.020, 376298833610618, vstest.console.dll, SocketServer.Stop: Cancellation requested. Stopping message loop.
-TpTrace Verbose: 0 : 1787404, 12, 2026/02/08, 16:26:59.020, 376298833657056, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: HostProviderEvents.OnHostExited: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Client.ProxyOperationManager., took 0 ms.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:59.020, 376298833692542, vstest.console.dll, Closing the connection
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:59.034, 376298847945470, vstest.console.dll, ParallelRunEventsHandler.HandleTestRunComplete: Handling a run completion, this can be either one part of parallel run completing, or the whole parallel run completing.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:59.048, 376298861413272, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Starting.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:59.048, 376298861499023, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.RunStatsChanged: Invoking callbacks was skipped because there are no subscribers.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:59.048, 376298861517318, vstest.console.dll, TestRunRequest:SendTestRunStatsChange: Completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:59.048, 376298861595034, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:59.048, 376298861712464, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:59.048, 376298861756978, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:59.048, 376298861772547, vstest.console.dll, ParallelProxyExecutionManager: HandlePartialRunComplete: Total workloads = 1, Total started clients = 1 Total completed clients = 1, Run complete = True, Run canceled: False.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:59.048, 376298861811360, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:59.048, 376298861853720, vstest.console.dll, ParallelProxyExecutionManager: HandlePartialRunComplete: All runs completed stopping all managers.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:59.048, 376298861861274, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:59.048, 376298861883816, vstest.console.dll, ParallelOperationManager.StopAllManagers: Stopping all managers.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:59.048, 376298861911939, vstest.console.dll, ParallelOperationManager.ClearSlots: Clearing all slots. Slots should accept more work: False
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:59.048, 376298861919192, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:59.048, 376298861952966, vstest.console.dll, ParallelOperationManager.SetOccupiedSlotCount: Setting slot counts AvailableSlotCount = 1, OccupiedSlotCount = 0.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:59.048, 376298861996107, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:59.048, 376298862008751, vstest.console.dll, Occupied slots:
-
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:59.048, 376298862039138, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:59.048, 376298862049898, vstest.console.dll, ParallelRunEventsHandler.HandleTestRunComplete: Whole parallel run completed.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:59.048, 376298862086106, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestResult: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 4, 2026/02/08, 16:26:59.064, 376298877403551, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: InternalTestLoggerEvents.SendTestRunComplete: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommandLine.Internal.MSBuildLogger., took 8 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:59.064, 376298877689177, vstest.console.dll, TestRunRequest:TestRunComplete: Starting. IsAborted:False IsCanceled:False.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:59.064, 376298877817909, vstest.console.dll, ParallelOperationManager.DoActionOnAllManagers: Calling an action on all managers.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:59.065, 376298879019967, vstest.console.dll, TestLoggerManager.HandleTestRunComplete: Ignoring as the object is disposed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:59.066, 376298879239118, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.TestRunComplete: Invoking callback 1/2 for Microsoft.VisualStudio.TestPlatform.CommandLine.TestRunResultAggregator., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:59.066, 376298879322775, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: TestRun.TestRunComplete: Invoking callback 2/2 for Microsoft.VisualStudio.TestPlatform.CommandLine.Processors.RunTestsArgumentExecutor+TestRunRequestEventsRegistrar., took 0 ms.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:59.066, 376298879384571, vstest.console.dll, TestRunRequest:TestRunComplete: Completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:59.066, 376298879410370, vstest.console.dll, TestRequestSender.SetOperationComplete: Setting operation complete.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:59.066, 376298879435467, vstest.console.dll, SocketServer.Stop: Stop server endPoint: 127.0.0.1:41437
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:59.066, 376298879454302, vstest.console.dll, SocketServer.Stop: Cancellation requested. Stopping message loop.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:59.066, 376298879472827, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender+<>c__DisplayClass34_0., took 67 ms.
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:59.066, 376298879477576, vstest.console.dll, TestRunRequest.Dispose: Starting.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:59.066, 376298879498365, vstest.console.dll, SocketServer.PrivateStop: Stopping server endPoint: 127.0.0.1:41437 error:
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:59.066, 376298879599144, vstest.console.dll, TestRunRequest.Dispose: Completed.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:59.066, 376298879646513, vstest.console.dll, TestRequestManager.RunTests: run tests completed.
-TpTrace Information: 0 : 1787404, 1, 2026/02/08, 16:26:59.066, 376298879733306, vstest.console.dll, RunTestsArgumentProcessor:Execute: Test run is completed.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:59.066, 376298879766148, vstest.console.dll, LengthPrefixCommunicationChannel.Dispose: Dispose reader and writer.
-TpTrace Information: 0 : 1787404, 9, 2026/02/08, 16:26:59.066, 376298879815551, vstest.console.dll, SocketServer.Stop: Raise disconnected event endPoint: 127.0.0.1:41437 error:
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:59.066, 376298879863320, vstest.console.dll, TestRequestSender: OnTestRunAbort: Operation is already complete. Skip error message.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:59.066, 376298879888407, vstest.console.dll, MulticastDelegateUtilities.SafeInvoke: SocketServer: ClientDisconnected: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestSender., took 0 ms.
-TpTrace Verbose: 0 : 1787404, 9, 2026/02/08, 16:26:59.066, 376298879906051, vstest.console.dll, TcpClientExtensions.MessageLoopAsync: exiting MessageLoopAsync remoteEndPoint: 127.0.0.1:41022 localEndPoint: 127.0.0.1:41437
-TpTrace Verbose: 0 : 1787404, 1, 2026/02/08, 16:26:59.066, 376298879954181, vstest.console.dll, Executor.Execute: Exiting with exit code of 0
diff --git a/bindings/dotnet/v.host.26-02-08_14-24-19_56287_5 b/bindings/dotnet/v.host.26-02-08_14-24-19_56287_5
deleted file mode 100644
index 1131b7c..0000000
--- a/bindings/dotnet/v.host.26-02-08_14-24-19_56287_5
+++ /dev/null
@@ -1,1557 +0,0 @@
-TpTrace Verbose: 0 : 1682879, 1, 2026/02/08, 14:24:19.659, 368939472954868, testhost.dll, Version: 18.0.1 Current process architecture: X64
-TpTrace Verbose: 0 : 1682879, 1, 2026/02/08, 14:24:19.662, 368939475884839, testhost.dll, Runtime location: /usr/share/dotnet/shared/Microsoft.NETCore.App/10.0.0
-TpTrace Information: 0 : 1682879, 1, 2026/02/08, 14:24:19.664, 368939477780008, testhost.dll, DefaultEngineInvoker.Invoke: Testhost process started with args :[--port, 45523],[--endpoint, 127.0.0.1:045523],[--role, client],[--parentprocessid, 1682867],[--diag, /home/steven/source/decentdb/bindings/dotnet/v.host.26-02-08_14-24-19_56287_5],[--tracelevel, 4],[--telemetryoptedin, false]
-TpTrace Information: 0 : 1682879, 1, 2026/02/08, 14:24:19.664, 368939478018266, testhost.dll, Setting up debug trace listener.
-TpTrace Verbose: 0 : 1682879, 1, 2026/02/08, 14:24:19.664, 368939478107083, testhost.dll, TestPlatformTraceListener.Setup: Replacing listener System.Diagnostics.DefaultTraceListener with TestHostTraceListener.
-TpTrace Verbose: 0 : 1682879, 1, 2026/02/08, 14:24:19.665, 368939478176783, testhost.dll, TestPlatformTraceListener.Setup: Added test platform trace listener.
-TpTrace Information: 0 : 1682879, 1, 2026/02/08, 14:24:19.665, 368939478481806, testhost.dll, DefaultEngineInvoker.SetParentProcessExitCallback: Monitoring parent process with id: '1682867'
-TpTrace Information: 0 : 1682879, 1, 2026/02/08, 14:24:19.668, 368939482069203, testhost.dll, DefaultEngineInvoker.GetConnectionInfo: Initialize communication on endpoint address: '127.0.0.1:045523'
-TpTrace Information: 0 : 1682879, 1, 2026/02/08, 14:24:19.681, 368939494295132, testhost.dll, SocketClient.Start: connecting to server endpoint: 127.0.0.1:045523
-TpTrace Information: 0 : 1682879, 1, 2026/02/08, 14:24:19.689, 368939502129584, testhost.dll, DefaultEngineInvoker.Invoke: Start Request Processing.
-TpTrace Information: 0 : 1682879, 10, 2026/02/08, 14:24:19.689, 368939502817115, testhost.dll, SocketClient.OnServerConnected: connected to server endpoint: 127.0.0.1:045523
-TpTrace Information: 0 : 1682879, 11, 2026/02/08, 14:24:19.691, 368939504848250, testhost.dll, DefaultEngineInvoker.StartProcessingAsync: Connected to vstest.console, Starting process requests.
-TpTrace Verbose: 0 : 1682879, 10, 2026/02/08, 14:24:19.691, 368939504982412, testhost.dll, MulticastDelegateUtilities.SafeInvoke: SocketClient: ServerConnected: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestHandler., took 0 ms.
-TpTrace Verbose: 0 : 1682879, 10, 2026/02/08, 14:24:19.691, 368939505022457, testhost.dll, Connected to server, and starting MessageLoopAsync
-TpTrace Verbose: 0 : 1682879, 5, 2026/02/08, 14:24:19.697, 368939510498389, testhost.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: [::ffff:127.0.0.1]:45523 localEndPoint: [::ffff:127.0.0.1]:58182 after 0 ms
-TpTrace Verbose: 0 : 1682879, 5, 2026/02/08, 14:24:19.718, 368939531197800, testhost.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: [::ffff:127.0.0.1]:45523 localEndPoint: [::ffff:127.0.0.1]:58182
-TpTrace Information: 0 : 1682879, 5, 2026/02/08, 14:24:19.721, 368939534417677, testhost.dll, TestRequestHandler.OnMessageReceived: received message: (ProtocolVersion) -> {"MessageType":"ProtocolVersion","Payload":7}
-TpTrace Verbose: 0 : 1682879, 5, 2026/02/08, 14:24:19.804, 368939617198780, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"Logging TestHost Diagnostics in file: /home/steven/source/decentdb/bindings/dotnet/v.host.26-02-08_14-24-19_56287_5"}}
-TpTrace Verbose: 0 : 1682879, 5, 2026/02/08, 14:24:19.804, 368939617323253, testhost.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestHandler., took 85 ms.
-TpTrace Verbose: 0 : 1682879, 5, 2026/02/08, 14:24:19.804, 368939617346207, testhost.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: [::ffff:127.0.0.1]:45523 localEndPoint: [::ffff:127.0.0.1]:58182 after 106 ms
-TpTrace Verbose: 0 : 1682879, 5, 2026/02/08, 14:24:19.806, 368939619668077, testhost.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: [::ffff:127.0.0.1]:45523 localEndPoint: [::ffff:127.0.0.1]:58182
-TpTrace Information: 0 : 1682879, 5, 2026/02/08, 14:24:19.806, 368939620011933, testhost.dll, TestRequestHandler.OnMessageReceived: received message: (TestExecution.Initialize) -> {"Version":7,"MessageType":"TestExecution.Initialize","Payload":["/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll"]}
-TpTrace Verbose: 0 : 1682879, 5, 2026/02/08, 14:24:19.815, 368939628556558, testhost.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestHandler., took 8 ms.
-TpTrace Verbose: 0 : 1682879, 5, 2026/02/08, 14:24:19.815, 368939628633783, testhost.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: [::ffff:127.0.0.1]:45523 localEndPoint: [::ffff:127.0.0.1]:58182 after 11 ms
-TpTrace Information: 0 : 1682879, 4, 2026/02/08, 14:24:19.816, 368939629170341, testhost.dll, TestRequestHandler.OnMessageReceived: Running job 'TestExecution.Initialize'.
-TpTrace Verbose: 0 : 1682879, 5, 2026/02/08, 14:24:19.816, 368939629317868, testhost.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: [::ffff:127.0.0.1]:45523 localEndPoint: [::ffff:127.0.0.1]:58182
-TpTrace Information: 0 : 1682879, 5, 2026/02/08, 14:24:19.816, 368939629420641, testhost.dll, TestRequestHandler.OnMessageReceived: received message: (TestExecution.StartWithSources) -> {"Version":7,"MessageType":"TestExecution.StartWithSources","Payload":{"AdapterSourceMap":{"_none_":["/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll"]},"RunSettings":"\n \n /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/TestResults\n .NETCoreApp,Version=v10.0\n False\n False\n \n \n \n \n \n minimal\n \n \n \n \n","TestExecutionContext":{"FrequencyOfRunStatsChangeEvent":10,"RunStatsChangeEventTimeout":"00:00:01.5000000","InIsolation":false,"KeepAlive":false,"AreTestCaseLevelEventsRequired":false,"IsDebug":false,"TestCaseFilter":null,"FilterOptions":null},"Package":null}}
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.818, 368939631936466, testhost.dll, TestExecutorService: Loading the extensions
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.820, 368939633291571, testhost.dll, TestPluginCache.DiscoverTestExtensions: finding test extensions in assemblies ends with: TestAdapter.dll TPluginInfo: Microsoft.VisualStudio.TestPlatform.Common.ExtensionFramework.Utilities.TestExecutorPluginInformation TExtension: Microsoft.VisualStudio.TestPlatform.ObjectModel.Adapter.ITestExecutor
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.821, 368939634401675, testhost.dll, TestPluginCache.GetExtensionPaths: Filtered extension paths:
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.821, 368939634638149, testhost.dll, TestPluginCache.GetExtensionPaths: Added default extension paths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.821, 368939634669448, testhost.dll, TestPluginCache.GetExtensionPaths: Added unfilterableExtensionPaths:
-TpTrace Information: 0 : 1682879, 4, 2026/02/08, 14:24:19.822, 368939635645560, testhost.dll, AssemblyResolver.ctor: Creating AssemblyResolver with searchDirectories /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.823, 368939636258792, testhost.dll, TestPluginCache.DiscoverTestExtensions: Discovering the extensions using extension path.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.823, 368939636309697, testhost.dll, TestPluginCache.GetExtensionPaths: Filtered extension paths:
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.823, 368939636324265, testhost.dll, TestPluginCache.GetExtensionPaths: Added default extension paths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.823, 368939636342018, testhost.dll, TestPluginCache.GetExtensionPaths: Added unfilterableExtensionPaths:
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.823, 368939636368628, testhost.dll, TestPluginCache.DiscoverTestExtensions: Discovering the extensions using allExtensionPaths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Information: 0 : 1682879, 4, 2026/02/08, 14:24:19.823, 368939637006406, testhost.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0
-TpTrace Information: 0 : 1682879, 4, 2026/02/08, 14:24:19.826, 368939639294713, testhost.dll, AssemblyResolver.OnResolve: xunit.runner.visualstudio.testadapter: Resolving assembly.
-TpTrace Information: 0 : 1682879, 4, 2026/02/08, 14:24:19.826, 368939639338806, testhost.dll, AssemblyResolver.OnResolve: xunit.runner.visualstudio.testadapter: Searching in: '/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0'.
-TpTrace Information: 0 : 1682879, 4, 2026/02/08, 14:24:19.831, 368939645115664, testhost.dll, AssemblyResolver.OnResolve: xunit.runner.visualstudio.testadapter: Loading assembly '/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll'.
-TpTrace Information: 0 : 1682879, 4, 2026/02/08, 14:24:19.832, 368939645598360, testhost.dll, AssemblyResolver.OnResolve: Resolved assembly: xunit.runner.visualstudio.testadapter, from path: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Verbose: 0 : 1682879, 5, 2026/02/08, 14:24:19.834, 368939647527613, testhost.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestHandler., took 18 ms.
-TpTrace Verbose: 0 : 1682879, 5, 2026/02/08, 14:24:19.834, 368939647597725, testhost.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: [::ffff:127.0.0.1]:45523 localEndPoint: [::ffff:127.0.0.1]:58182 after 18 ms
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.842, 368939655847808, testhost.dll, MetadataReaderExtensionsHelper: Discovering extensions inside assembly 'xunit.runner.visualstudio.testadapter, Version=3.1.5.0, Culture=neutral, PublicKeyToken=null' file path '/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll'
-TpTrace Information: 0 : 1682879, 4, 2026/02/08, 14:24:19.858, 368939671543382, testhost.dll, GetTestExtensionFromType: Register extension with identifier data 'executor://xunit/VsTestRunner3/netcore/' and type 'Xunit.Runner.VisualStudio.VsTestRunner, xunit.runner.visualstudio.testadapter, Version=3.1.5.0, Culture=neutral, PublicKeyToken=null' inside file '/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll'
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.859, 368939673040574, testhost.dll, TestPluginCache: Discovered the extensions using extension path ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.860, 368939673641172, testhost.dll, TestPluginCache: Discoverers are ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.860, 368939673757831, testhost.dll, TestPluginCache: Executors are 'executor://xunit/VsTestRunner3/netcore/'.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.860, 368939673806322, testhost.dll, TestPluginCache: Executors2 are ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.860, 368939673846938, testhost.dll, TestPluginCache: Setting providers are ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.860, 368939673885941, testhost.dll, TestPluginCache: Loggers are ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.860, 368939673946485, testhost.dll, TestPluginCache: TestHosts are ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.860, 368939673985288, testhost.dll, TestPluginCache: DataCollectors are ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.862, 368939675514269, testhost.dll, TestPluginCache.DiscoverTestExtensions: finding test extensions in assemblies ends with: TestAdapter.dll TPluginInfo: Microsoft.VisualStudio.TestPlatform.Common.ExtensionFramework.Utilities.TestExecutorPluginInformation2 TExtension: Microsoft.VisualStudio.TestPlatform.ObjectModel.Adapter.ITestExecutor2
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.862, 368939675702141, testhost.dll, TestPluginCache.GetExtensionPaths: Filtered extension paths:
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.862, 368939675727299, testhost.dll, TestPluginCache.GetExtensionPaths: Added default extension paths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.862, 368939675746785, testhost.dll, TestPluginCache.GetExtensionPaths: Added unfilterableExtensionPaths:
-TpTrace Information: 0 : 1682879, 4, 2026/02/08, 14:24:19.862, 368939675828078, testhost.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.862, 368939675849228, testhost.dll, TestPluginCache.DiscoverTestExtensions: Discovering the extensions using extension path.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.862, 368939675866710, testhost.dll, TestPluginCache.GetExtensionPaths: Filtered extension paths:
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.862, 368939675877180, testhost.dll, TestPluginCache.GetExtensionPaths: Added default extension paths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.862, 368939675887259, testhost.dll, TestPluginCache.GetExtensionPaths: Added unfilterableExtensionPaths:
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.862, 368939675899061, testhost.dll, TestPluginCache.DiscoverTestExtensions: Discovering the extensions using allExtensionPaths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Information: 0 : 1682879, 4, 2026/02/08, 14:24:19.862, 368939675920982, testhost.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.862, 368939675959184, testhost.dll, MetadataReaderExtensionsHelper: Discovering extensions inside assembly 'xunit.runner.visualstudio.testadapter, Version=3.1.5.0, Culture=neutral, PublicKeyToken=null' file path '/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll'
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.879, 368939692590176, testhost.dll, TestPluginCache: Discovered the extensions using extension path ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.879, 368939692668022, testhost.dll, TestPluginCache: Discoverers are ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.879, 368939692693890, testhost.dll, TestPluginCache: Executors are 'executor://xunit/VsTestRunner3/netcore/'.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.879, 368939692727043, testhost.dll, TestPluginCache: Executors2 are ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.879, 368939692739496, testhost.dll, TestPluginCache: Setting providers are ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.879, 368939692748974, testhost.dll, TestPluginCache: Loggers are ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.879, 368939692758311, testhost.dll, TestPluginCache: TestHosts are ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.879, 368939692767539, testhost.dll, TestPluginCache: DataCollectors are ''.
-TpTrace Information: 0 : 1682879, 4, 2026/02/08, 14:24:19.886, 368939699483570, testhost.dll, TestPluginManager.CreateTestExtension: Attempting to load test extension: Xunit.Runner.VisualStudio.VsTestRunner
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.886, 368939699839999, testhost.dll, TestExecutorExtensionManager: Loading executor Microsoft.VisualStudio.TestPlatform.Common.ExtensionDecorators.SerialTestRunDecorator
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.886, 368939699868403, testhost.dll, TestExecutorService: Loaded the executors
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.887, 368939700278523, testhost.dll, TestPluginCache.DiscoverTestExtensions: finding test extensions in assemblies ends with: TestAdapter.dll TPluginInfo: Microsoft.VisualStudio.TestPlatform.Common.ExtensionFramework.Utilities.TestSettingsProviderPluginInformation TExtension: Microsoft.VisualStudio.TestPlatform.ObjectModel.Adapter.ISettingsProvider
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.887, 368939700343184, testhost.dll, TestPluginCache.GetExtensionPaths: Filtered extension paths:
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.887, 368939700372349, testhost.dll, TestPluginCache.GetExtensionPaths: Added default extension paths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.887, 368939700383991, testhost.dll, TestPluginCache.GetExtensionPaths: Added unfilterableExtensionPaths:
-TpTrace Information: 0 : 1682879, 4, 2026/02/08, 14:24:19.887, 368939700424237, testhost.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.887, 368939700444925, testhost.dll, TestPluginCache.DiscoverTestExtensions: Discovering the extensions using extension path.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.887, 368939700456567, testhost.dll, TestPluginCache.GetExtensionPaths: Filtered extension paths:
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.887, 368939700466927, testhost.dll, TestPluginCache.GetExtensionPaths: Added default extension paths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.887, 368939700477957, testhost.dll, TestPluginCache.GetExtensionPaths: Added unfilterableExtensionPaths:
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.887, 368939700489369, testhost.dll, TestPluginCache.DiscoverTestExtensions: Discovering the extensions using allExtensionPaths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Information: 0 : 1682879, 4, 2026/02/08, 14:24:19.887, 368939700516209, testhost.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.887, 368939700549271, testhost.dll, MetadataReaderExtensionsHelper: Discovering extensions inside assembly 'xunit.runner.visualstudio.testadapter, Version=3.1.5.0, Culture=neutral, PublicKeyToken=null' file path '/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll'
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.888, 368939701356037, testhost.dll, TestPluginCache: Discovered the extensions using extension path ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.888, 368939701381605, testhost.dll, TestPluginCache: Discoverers are ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.888, 368939701394338, testhost.dll, TestPluginCache: Executors are 'executor://xunit/VsTestRunner3/netcore/'.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.888, 368939701405329, testhost.dll, TestPluginCache: Executors2 are ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.888, 368939701424886, testhost.dll, TestPluginCache: Setting providers are ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.888, 368939701434985, testhost.dll, TestPluginCache: Loggers are ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.888, 368939701449923, testhost.dll, TestPluginCache: TestHosts are ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.888, 368939701459300, testhost.dll, TestPluginCache: DataCollectors are ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.888, 368939701949060, testhost.dll, TestExecutorService: Loaded the settings providers
-TpTrace Information: 0 : 1682879, 4, 2026/02/08, 14:24:19.888, 368939701973166, testhost.dll, TestExecutorService: Loaded the extensions
-TpTrace Information: 0 : 1682879, 4, 2026/02/08, 14:24:19.889, 368939702310289, testhost.dll, TestRequestHandler.OnMessageReceived: Running job 'TestExecution.StartWithSources'.
-TpTrace Information: 0 : 1682879, 4, 2026/02/08, 14:24:19.930, 368939743964089, testhost.dll, TestDiscoveryManager: Discovering tests from sources /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.932, 368939745303915, testhost.dll, TestPluginCache.DiscoverTestExtensions: finding test extensions in assemblies ends with: TestAdapter.dll TPluginInfo: Microsoft.VisualStudio.TestPlatform.Common.ExtensionFramework.Utilities.TestDiscovererPluginInformation TExtension: Microsoft.VisualStudio.TestPlatform.ObjectModel.Adapter.ITestDiscoverer
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.932, 368939745373867, testhost.dll, TestPluginCache.GetExtensionPaths: Filtered extension paths:
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.932, 368939745393173, testhost.dll, TestPluginCache.GetExtensionPaths: Added default extension paths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.932, 368939745404494, testhost.dll, TestPluginCache.GetExtensionPaths: Added unfilterableExtensionPaths:
-TpTrace Information: 0 : 1682879, 4, 2026/02/08, 14:24:19.932, 368939745449489, testhost.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.932, 368939745466992, testhost.dll, TestPluginCache.DiscoverTestExtensions: Discovering the extensions using extension path.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.932, 368939745479615, testhost.dll, TestPluginCache.GetExtensionPaths: Filtered extension paths:
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.932, 368939745489855, testhost.dll, TestPluginCache.GetExtensionPaths: Added default extension paths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.932, 368939745511986, testhost.dll, TestPluginCache.GetExtensionPaths: Added unfilterableExtensionPaths:
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.932, 368939745523889, testhost.dll, TestPluginCache.DiscoverTestExtensions: Discovering the extensions using allExtensionPaths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Information: 0 : 1682879, 4, 2026/02/08, 14:24:19.932, 368939745542383, testhost.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.932, 368939745587268, testhost.dll, MetadataReaderExtensionsHelper: Discovering extensions inside assembly 'xunit.runner.visualstudio.testadapter, Version=3.1.5.0, Culture=neutral, PublicKeyToken=null' file path '/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll'
-TpTrace Information: 0 : 1682879, 4, 2026/02/08, 14:24:19.936, 368939749329735, testhost.dll, GetTestExtensionFromType: Register extension with identifier data 'Xunit.Runner.VisualStudio.VsTestRunner, xunit.runner.visualstudio.testadapter, Version=3.1.5.0, Culture=neutral, PublicKeyToken=null' and type 'Xunit.Runner.VisualStudio.VsTestRunner, xunit.runner.visualstudio.testadapter, Version=3.1.5.0, Culture=neutral, PublicKeyToken=null' inside file '/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll'
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.936, 368939749516285, testhost.dll, TestPluginCache: Discovered the extensions using extension path ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.936, 368939749548145, testhost.dll, TestPluginCache: Discoverers are 'Xunit.Runner.VisualStudio.VsTestRunner, xunit.runner.visualstudio.testadapter, Version=3.1.5.0, Culture=neutral, PublicKeyToken=null'.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.936, 368939749561109, testhost.dll, TestPluginCache: Executors are 'executor://xunit/VsTestRunner3/netcore/'.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.936, 368939749572300, testhost.dll, TestPluginCache: Executors2 are ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.936, 368939749582439, testhost.dll, TestPluginCache: Setting providers are ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.936, 368939749598179, testhost.dll, TestPluginCache: Loggers are ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.936, 368939749608789, testhost.dll, TestPluginCache: TestHosts are ''.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.936, 368939749617876, testhost.dll, TestPluginCache: DataCollectors are ''.
-TpTrace Information: 0 : 1682879, 4, 2026/02/08, 14:24:19.938, 368939752126447, testhost.dll, PEReaderHelper.GetAssemblyType: Determined assemblyType:'Managed' for source: '/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll'
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.942, 368939755365239, testhost.dll, BaseRunTests.RunTestInternalWithExecutors: Running tests for executor://xunit/VsTestRunner3/netcore/
-TpTrace Information: 0 : 1682879, 4, 2026/02/08, 14:24:19.948, 368939761891705, testhost.dll, [xUnit.net 00:00:00.00] xUnit.net VSTest Adapter v3.1.5+1b188a7b0a (64-bit .NET 10.0.0)
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.948, 368939761994498, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"[xUnit.net 00:00:00.00] xUnit.net VSTest Adapter v3.1.5+1b188a7b0a (64-bit .NET 10.0.0)"}}
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:19.948, 368939762085579, testhost.dll, MulticastDelegateUtilities.SafeInvoke: TestRunMessageLoggerProxy.SendMessage: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Execution.RunTestsWithSources., took 0 ms.
-TpTrace Information: 0 : 1682879, 10, 2026/02/08, 14:24:20.029, 368939842683673, testhost.dll, [xUnit.net 00:00:00.08] Discovering: DecentDB.Tests
-TpTrace Verbose: 0 : 1682879, 10, 2026/02/08, 14:24:20.029, 368939842785244, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"[xUnit.net 00:00:00.08] Discovering: DecentDB.Tests"}}
-TpTrace Verbose: 0 : 1682879, 10, 2026/02/08, 14:24:20.029, 368939842883418, testhost.dll, MulticastDelegateUtilities.SafeInvoke: TestRunMessageLoggerProxy.SendMessage: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Execution.RunTestsWithSources., took 0 ms.
-TpTrace Information: 0 : 1682879, 10, 2026/02/08, 14:24:20.085, 368939898389841, testhost.dll, [xUnit.net 00:00:00.14] Discovered: DecentDB.Tests
-TpTrace Verbose: 0 : 1682879, 10, 2026/02/08, 14:24:20.085, 368939898498595, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"[xUnit.net 00:00:00.14] Discovered: DecentDB.Tests"}}
-TpTrace Verbose: 0 : 1682879, 10, 2026/02/08, 14:24:20.085, 368939898555983, testhost.dll, MulticastDelegateUtilities.SafeInvoke: TestRunMessageLoggerProxy.SendMessage: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Execution.RunTestsWithSources., took 0 ms.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.120, 368939933658211, testhost.dll, [xUnit.net 00:00:00.17] Starting: DecentDB.Tests
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.120, 368939933766745, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"[xUnit.net 00:00:00.17] Starting: DecentDB.Tests"}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.120, 368939933849220, testhost.dll, MulticastDelegateUtilities.SafeInvoke: TestRunMessageLoggerProxy.SendMessage: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Execution.RunTestsWithSources., took 0 ms.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.145, 368939958753206, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.146, 368939959598844, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DapperIntegrationTests.TestDapperScalar.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.146, 368939959657073, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.146, 368939959694603, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.146, 368939959728126, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.152, 368939965149628, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.152, 368939965334115, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.TransactionTests.CommitTransaction.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.152, 368939965378839, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecimalTests.Decimal_Text_Interop.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.152, 368939965444001, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.152, 368939965488204, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.154, 368939967145356, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.206, 368940019271773, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[],"TestRunStatistics":{"ExecutedTests":0,"Stats":{}},"ActiveTests":[{"Id":"6615070c-f6d6-59c1-d309-2604309d724a","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0c61f0e4e49384a986cead1b9be615eb7eb25b68"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_RowsAffected_AfterOperations"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"eef85a2c-8dcf-89ea-5828-78e763cef34d","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperScalar","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperScalar","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"18c05465f695461bcaa8720adfd4db8911dca4bc"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperScalar"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},{"Id":"988e568b-674f-7344-d156-3bd2213c8ebc","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23619543aa3f794620b7fdb323af2b2479f4c645"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_CanExecuteSampleQueries"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"27473ec4-9ff3-dc09-c5d3-8264915b4891","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"04a26d50f2980c51dac96819fb7eadfa54cba0ec"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_WithDifferentEntityTypes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"13bfed11-d8a3-c3f7-bb22-1a976bbc4d97","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds","DisplayName":"DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"33502a6142b40161db00180ef7bec8209e363b26"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},{"Id":"875da2b0-fd6d-f566-4d2d-5c2e980a8605","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"091495c9323ecf6ef651bb1f55339e602c304684"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_IsNotNull"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"3d316a0a-d17e-1771-78f9-a907cc267385","FullyQualifiedName":"DecentDB.Tests.TransactionTests.CommitTransaction","DisplayName":"DecentDB.Tests.TransactionTests.CommitTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26e906cc48f24a36282a676bbdddf963066cb325"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CommitTransaction"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},{"Id":"c8eb4232-bf9c-61ff-49c8-e91c969811d7","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_Text_Interop","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Text_Interop","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"802ec798dd83b575224a6167a843c9f2c11f5ba0"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_Text_Interop"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},{"Id":"c9e374cd-dc7e-6d7a-406b-aef25231a306","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2ed91cb9cfbed131380fa8648421bb3dda10d57e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Handles_Pooling_Option_From_ConnectionString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"d9444345-34d8-ae97-36b5-5e21b1c2159a","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0b819ef1f1ef630994e60062bebeb06b862606fd"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindMultipleTypesInSingleStatement"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.206, 368940019718271, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.206, 368940019946891, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.206, 368940020015890, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.206, 368940020067988, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.EdgeCaseTests.GuidParameterBinding.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.206, 368940020107572, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.ColumnMetadata.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.207, 368940020143159, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DataReaderTests.FieldCountAndNames.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.207, 368940020180219, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.207, 368940020214393, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.207, 368940020248307, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.207, 368940020280607, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.207, 368940020314491, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.207, 368940020554512, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.207, 368940021047637, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[],"TestRunStatistics":{"ExecutedTests":0,"Stats":{}},"ActiveTests":[{"Id":"e32432ad-c183-d674-9c3d-e182d698fdfd","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters","DisplayName":"DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"17c906d994f909075c90a7527776dc4ce37219aa"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"QueryAsync_WithParameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"580b490c-3a3e-9e41-4e87-029494003674","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase","DisplayName":"DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"093da95ac1791a1c84b554c4eabce1f0f89bc19b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenAndCloseDatabase"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},{"Id":"0d920d3f-54e6-2905-f377-142f1404058d","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.GuidParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.GuidParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"01a5f0a3317e5466c242e67476b8e1266c179542"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GuidParameterBinding"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"f04170a2-478f-2f83-d94f-fb1af8db0f8c","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.ColumnMetadata","DisplayName":"DecentDB.Tests.NativeLayerTests.ColumnMetadata","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"06f2fd2e6b8204d918eacd89fafcb34c03950fcc"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ColumnMetadata"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"f1c09723-74a2-e398-1769-da8a7d1e4ad8","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.FieldCountAndNames","DisplayName":"DecentDB.Tests.DataReaderTests.FieldCountAndNames","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"20ece292f1c52b72e2c6826f4cab60fac056c35f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FieldCountAndNames"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"083de63e-ad5d-8c4a-393e-e04e8648f1a6","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip","DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02bd17544389aca255e56977e297862bee13c361"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllTypes_NullValues_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"13084293-ca92-f864-ea8c-7b9cb3f67d7e","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder","DisplayName":"DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2199a4e589b4a7eeb2e74f21bd026a28e61b6ae4"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamAsync_YieldsRowsInOrder"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"0314bf26-828b-18e2-0966-160886b3d039","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02ef566fe97ce0688a500cb1037caf73165cb714"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstAsync_With_No_Results_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"7d57e49c-bb58-e2e3-4627-88846ba06163","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02d47efb85b0839d1893bfe623d60594d4f78180"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ConnectionString_WhileOpen_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"404f983d-a97c-36e9-fb05-84e8ea89a985","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"06f9f614cb783630d81f2848bfda8800f2a4b807"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Native_SetLibraryPath_WithInvalidPath_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.208, 368940021186899, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.208, 368940021244818, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.208, 368940021290413, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DmlTests.SelectWithPositionalParameters.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.229, 368940042725086, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.233, 368940046524910, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.233, 368940046834311, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.234, 368940047288264, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.234, 368940047376620, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.234, 368940047405344, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.234, 368940047461038, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.234, 368940047485003, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.234, 368940047536089, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.234, 368940047558201, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.234, 368940047602394, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.234, 368940047622111, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.239, 368940052594018, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.239, 368940053046358, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.240, 368940053132940, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.240, 368940053183666, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.240, 368940053234291, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.240, 368940053293712, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.242, 368940055157471, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.242, 368940055263551, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.242, 368940055463236, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.251, 368940064566871, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"c9e374cd-dc7e-6d7a-406b-aef25231a306","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2ed91cb9cfbed131380fa8648421bb3dda10d57e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Handles_Pooling_Option_From_ConnectionString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0076511","StartTime":"2026-02-08T20:24:20.2154969+00:00","EndTime":"2026-02-08T20:24:20.2202696+00:00","Properties":[]},{"TestCase":{"Id":"7d57e49c-bb58-e2e3-4627-88846ba06163","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02d47efb85b0839d1893bfe623d60594d4f78180"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ConnectionString_WhileOpen_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0080360","StartTime":"2026-02-08T20:24:20.2154116+00:00","EndTime":"2026-02-08T20:24:20.2253607+00:00","Properties":[]},{"TestCase":{"Id":"988e568b-674f-7344-d156-3bd2213c8ebc","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23619543aa3f794620b7fdb323af2b2479f4c645"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_CanExecuteSampleQueries"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0063148","StartTime":"2026-02-08T20:24:20.2138043+00:00","EndTime":"2026-02-08T20:24:20.2255403+00:00","Properties":[]},{"TestCase":{"Id":"404f983d-a97c-36e9-fb05-84e8ea89a985","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"06f9f614cb783630d81f2848bfda8800f2a4b807"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Native_SetLibraryPath_WithInvalidPath_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0075274","StartTime":"2026-02-08T20:24:20.2153839+00:00","EndTime":"2026-02-08T20:24:20.2260159+00:00","Properties":[]},{"TestCase":{"Id":"6615070c-f6d6-59c1-d309-2604309d724a","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0c61f0e4e49384a986cead1b9be615eb7eb25b68"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_RowsAffected_AfterOperations"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0109323","StartTime":"2026-02-08T20:24:20.2153272+00:00","EndTime":"2026-02-08T20:24:20.2261316+00:00","Properties":[]},{"TestCase":{"Id":"580b490c-3a3e-9e41-4e87-029494003674","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase","DisplayName":"DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"093da95ac1791a1c84b554c4eabce1f0f89bc19b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenAndCloseDatabase"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0105883","StartTime":"2026-02-08T20:24:20.2136333+00:00","EndTime":"2026-02-08T20:24:20.2261008+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":6,"Stats":{"Passed":6}},"ActiveTests":[{"Id":"9da410e1-02c3-a7f2-b5f7-c6d0a62fb2af","FullyQualifiedName":"DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent","DisplayName":"DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8e64ae06008876f5e95ae4595cdffbdc29e66bb5"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestSqlExecutingEvent"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ObservabilityTests"}]},{"Id":"56734fb1-3027-aead-4696-55c05a9ddd5b","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithPositionalParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithPositionalParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0395970922ecbe42c094c2e5cc03bbc5906a10a4"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithPositionalParameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},{"Id":"26ae9605-9d18-4654-8884-41193f2f6714","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"31b9bd5c35cae1320275480edea3ac1c1bfe4670"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"c0499a1e-eef9-7aef-e340-2452501f0717","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"05d550dce7c9c24a35a03655b6cd79f610626f72"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Checkpoint_WhenClosed_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.251, 368940064764162, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.251, 368940064867846, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.251, 368940064924753, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.251, 368940064977322, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.252, 368940065337949, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.252, 368940065596775, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.252, 368940065726729, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.252, 368940065838248, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_LastErrorCodeAndMessage_AfterOperation.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.252, 368940066046079, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.252, 368940066084761, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.253, 368940066133232, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.253, 368940066237638, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.253, 368940066514127, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_LastErrorCodeAndMessage_AfterOperation.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.253, 368940066585521, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_LastErrorCodeAndMessage_AfterOperation execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.253, 368940066693715, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.253, 368940066947281, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.253, 368940066981856, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.253, 368940067036138, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.254, 368940067155682, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.254, 368940067178926, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.261, 368940074812331, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"d3ce7169-4a26-d8b8-f96f-f36575efb718","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"200ce5c8bf729867f13b1db02c2e56f646a3fedb"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_Dispose_MultipleTimes_DoesNotThrow"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005105","StartTime":"2026-02-08T20:24:20.2519465+00:00","EndTime":"2026-02-08T20:24:20.2524067+00:00","Properties":[]},{"TestCase":{"Id":"c0499a1e-eef9-7aef-e340-2452501f0717","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"05d550dce7c9c24a35a03655b6cd79f610626f72"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Checkpoint_WhenClosed_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005841","StartTime":"2026-02-08T20:24:20.251974+00:00","EndTime":"2026-02-08T20:24:20.2528809+00:00","Properties":[]},{"TestCase":{"Id":"002469d1-f74d-1089-97bc-9c9f7ab7b092","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_LastErrorCodeAndMessage_AfterOperation","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_LastErrorCodeAndMessage_AfterOperation","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26a575d3d8a2caa494b02750d97a831acdfcdf30"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_LastErrorCodeAndMessage_AfterOperation"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_LastErrorCodeAndMessage_AfterOperation","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005578","StartTime":"2026-02-08T20:24:20.252782+00:00","EndTime":"2026-02-08T20:24:20.253348+00:00","Properties":[]},{"TestCase":{"Id":"26ae9605-9d18-4654-8884-41193f2f6714","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"31b9bd5c35cae1320275480edea3ac1c1bfe4670"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0014001","StartTime":"2026-02-08T20:24:20.2520016+00:00","EndTime":"2026-02-08T20:24:20.2537803+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":10,"Stats":{"Passed":10}},"ActiveTests":[{"Id":"2be4cc16-afa5-9f40-e35b-0d92b0abadb3","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"267e138a93fd5478f76212318b8547167eb37072"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnInvalidBindIndex"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"61dfa170-4f18-6ac0-c503-ffec7e873f58","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3c474f14ebfb33becd69babb779ad4509ad36097"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Derived_Context_Initialization_Works"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"4b0fb72d-f3f2-d455-6b58-8e7370145558","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds","DisplayName":"DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"22bfa09aa29aa278b7c5baa0d2f20acb0b86eafe"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenWithCacheSizeMb_Succeeds"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},{"Id":"737a1830-b03a-98da-3d55-e1cdaa4398de","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0699355c5effdbb4780832e505e3aafca990042c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBTransaction_Rollback_ThenDispose"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"90220754-ac70-a9f3-af99-ca3bae35016a","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"278dbb57acbb0d8228b32142229b01ffb77fdf20"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Reset_ClearBindings_Chain"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"10c35701-ac33-d093-20c4-f054cc4cf0bd","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"32aa8abc882ce88a54eb613696adf58e1cf3cd6a"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.261, 368940075018448, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.262, 368940075343057, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.262, 368940075375408, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.262, 368940075387621, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.262, 368940075423709, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.262, 368940075438066, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.262, 368940075510942, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Full_ConnectionString.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.262, 368940075647459, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Full_ConnectionString.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.262, 368940075685079, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Full_ConnectionString execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.262, 368940075699777, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.262, 368940075757546, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.262, 368940075901766, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.262, 368940075924459, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.262, 368940075954926, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.262, 368940076025078, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.263, 368940076144382, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.263, 368940076166173, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.263, 368940076200888, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.263, 368940076308750, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.263, 368940076328678, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.263, 368940076360818, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.263, 368940076425480, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.263, 368940076595910, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.263, 368940076631016, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.263, 368940076665170, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.263, 368940076729861, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.263, 368940076748136, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.264, 368940077202158, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"61dfa170-4f18-6ac0-c503-ffec7e873f58","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3c474f14ebfb33becd69babb779ad4509ad36097"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Derived_Context_Initialization_Works"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016874","StartTime":"2026-02-08T20:24:20.2520891+00:00","EndTime":"2026-02-08T20:24:20.2621677+00:00","Properties":[]},{"TestCase":{"Id":"af1ac831-acb2-04d9-19de-bc661c24b365","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Full_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Full_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4a6dfd8c3bc96d200df31ac9b1f1fd7f2bf1a90d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Accepts_Full_ConnectionString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Full_ConnectionString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001853","StartTime":"2026-02-08T20:24:20.2624239+00:00","EndTime":"2026-02-08T20:24:20.2624968+00:00","Properties":[]},{"TestCase":{"Id":"737a1830-b03a-98da-3d55-e1cdaa4398de","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0699355c5effdbb4780832e505e3aafca990042c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBTransaction_Rollback_ThenDispose"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0018337","StartTime":"2026-02-08T20:24:20.2531733+00:00","EndTime":"2026-02-08T20:24:20.262749+00:00","Properties":[]},{"TestCase":{"Id":"9da410e1-02c3-a7f2-b5f7-c6d0a62fb2af","FullyQualifiedName":"DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent","DisplayName":"DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8e64ae06008876f5e95ae4595cdffbdc29e66bb5"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestSqlExecutingEvent"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ObservabilityTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0176005","StartTime":"2026-02-08T20:24:20.2154415+00:00","EndTime":"2026-02-08T20:24:20.2629932+00:00","Properties":[]},{"TestCase":{"Id":"90220754-ac70-a9f3-af99-ca3bae35016a","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"278dbb57acbb0d8228b32142229b01ffb77fdf20"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Reset_ClearBindings_Chain"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015168","StartTime":"2026-02-08T20:24:20.2536282+00:00","EndTime":"2026-02-08T20:24:20.2631596+00:00","Properties":[]},{"TestCase":{"Id":"10c35701-ac33-d093-20c4-f054cc4cf0bd","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"32aa8abc882ce88a54eb613696adf58e1cf3cd6a"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set DECENTDB_COMPARE_MELODEE_SQLITE=1 to enable SQLite comparisons\n"}],"ComputerName":"batman","Duration":"00:00:00.0013348","StartTime":"2026-02-08T20:24:20.2620476+00:00","EndTime":"2026-02-08T20:24:20.2634362+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":16,"Stats":{"Passed":16}},"ActiveTests":[{"Id":"94a4ac31-7527-aae2-b45b-0b8dbd09284c","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4e4fd70a7815457e2bfe4f1ea99fe5e9a241c1af"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Non_Pooled_Mode_Works"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"4e7b4d6b-d993-9cae-7f6b-8d428d1f8775","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0ca3cf4e0ee638bb5510906957619ba2eb238899"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DbConnection_SetterGetter"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"966f5338-86b3-07e2-a675-6f5f99d39d12","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2d6e410b5b58aca60abf285ed3044ebf0c9224ee"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_EmptyArray"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"b08f6b19-eeeb-7313-47fe-ba1f8344f6f8","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4f2dc9c0c59b5190a7787ba9049e13acf26280a9"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.264, 368940077310251, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.264, 368940077442590, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DataReaderTests.FieldCountAndNames.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.264, 368940077463559, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.264, 368940077475061, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DataReaderTests.FieldCountAndNames' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.264, 368940077504867, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DataReaderTests.FieldCountAndNames execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.264, 368940077518212, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.264, 368940077579537, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.264, 368940077684173, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.264, 368940077705964, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.264, 368940077738996, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.264, 368940077801013, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.264, 368940077934143, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.ColumnMetadata.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.264, 368940077953399, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.ColumnMetadata' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.264, 368940077986912, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.ColumnMetadata execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.264, 368940078048247, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.265, 368940078175426, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.265, 368940078197157, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.265, 368940078234818, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.265, 368940078300150, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.265, 368940078417330, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.265, 368940078439572, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.265, 368940078471712, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.265, 368940078539470, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.265, 368940078556892, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.265, 368940078986269, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"f1c09723-74a2-e398-1769-da8a7d1e4ad8","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.FieldCountAndNames","DisplayName":"DecentDB.Tests.DataReaderTests.FieldCountAndNames","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"20ece292f1c52b72e2c6826f4cab60fac056c35f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FieldCountAndNames"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.FieldCountAndNames","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0146181","StartTime":"2026-02-08T20:24:20.213859+00:00","EndTime":"2026-02-08T20:24:20.2642863+00:00","Properties":[]},{"TestCase":{"Id":"4b0fb72d-f3f2-d455-6b58-8e7370145558","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds","DisplayName":"DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"22bfa09aa29aa278b7c5baa0d2f20acb0b86eafe"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenWithCacheSizeMb_Succeeds"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0029828","StartTime":"2026-02-08T20:24:20.2522862+00:00","EndTime":"2026-02-08T20:24:20.2645326+00:00","Properties":[]},{"TestCase":{"Id":"f04170a2-478f-2f83-d94f-fb1af8db0f8c","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.ColumnMetadata","DisplayName":"DecentDB.Tests.NativeLayerTests.ColumnMetadata","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"06f2fd2e6b8204d918eacd89fafcb34c03950fcc"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ColumnMetadata"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.ColumnMetadata","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0159521","StartTime":"2026-02-08T20:24:20.2138319+00:00","EndTime":"2026-02-08T20:24:20.2647832+00:00","Properties":[]},{"TestCase":{"Id":"2be4cc16-afa5-9f40-e35b-0d92b0abadb3","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"267e138a93fd5478f76212318b8547167eb37072"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnInvalidBindIndex"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0043515","StartTime":"2026-02-08T20:24:20.2519115+00:00","EndTime":"2026-02-08T20:24:20.2650243+00:00","Properties":[]},{"TestCase":{"Id":"b08f6b19-eeeb-7313-47fe-ba1f8344f6f8","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4f2dc9c0c59b5190a7787ba9049e13acf26280a9"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0023285","StartTime":"2026-02-08T20:24:20.2642286+00:00","EndTime":"2026-02-08T20:24:20.2652682+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":21,"Stats":{"Passed":21}},"ActiveTests":[{"Id":"1ea70c90-97c4-739f-13ad-aad05b7650c7","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly","DisplayName":"DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4a1c52b1942082c0768862284a6ca143aafba6cd"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamingBehaviorForwardOnly"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"8f198fab-226e-9a6c-9ca2-2dcfb24fb5db","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached","DisplayName":"DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"61f827278ca1b6e60b00f65d942e2ff5d6120c3e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SqlObservability_EventsFire_WhenHandlersAttached"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},{"Id":"03a3912c-ccbf-fee9-74ca-df73290ba8f8","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows","DisplayName":"DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"08f040027952bb5eebc7febdb0846383a51bf242"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenInvalidPathThrows"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"4110b91c-02b2-c8c6-89e4-1067962ca4f1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"49620625e6ba50412ba6d05da306f4d8efd208d2"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnInvalidColumnIndex"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"c58adb59-300d-820c-7bea-8933c88b0d21","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"798c3f574bdc9d70c46f57de0be0460de047f215"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.265, 368940079067231, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.266, 368940079219507, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.266, 368940079244584, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.266, 368940079258360, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.266, 368940079288426, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.266, 368940079302022, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.266, 368940079361964, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.266, 368940079491478, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.TransactionTests.CommitTransaction.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.266, 368940079513319, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.TransactionTests.CommitTransaction' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.266, 368940079543696, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.TransactionTests.CommitTransaction execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.266, 368940079603949, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.TransactionTests.RollbackTransaction.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.266, 368940079729905, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.266, 368940079752638, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.266, 368940079799346, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.266, 368940079866221, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_DefaultConstructor_CreatesInstance.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.266, 368940079983632, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.266, 368940080004862, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.266, 368940080055898, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.266, 368940080116351, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.267, 368940081098706, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_DefaultConstructor_CreatesInstance.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.268, 368940081149251, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_DefaultConstructor_CreatesInstance execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.268, 368940081226566, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.268, 368940081356861, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.268, 368940081376868, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex' in inProgress list.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.268, 368940081391516, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.268, 368940081956577, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"03a3912c-ccbf-fee9-74ca-df73290ba8f8","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows","DisplayName":"DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"08f040027952bb5eebc7febdb0846383a51bf242"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenInvalidPathThrows"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011904","StartTime":"2026-02-08T20:24:20.264957+00:00","EndTime":"2026-02-08T20:24:20.2660659+00:00","Properties":[]},{"TestCase":{"Id":"3d316a0a-d17e-1771-78f9-a907cc267385","FullyQualifiedName":"DecentDB.Tests.TransactionTests.CommitTransaction","DisplayName":"DecentDB.Tests.TransactionTests.CommitTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26e906cc48f24a36282a676bbdddf963066cb325"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CommitTransaction"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TransactionTests.CommitTransaction","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0172201","StartTime":"2026-02-08T20:24:20.2153009+00:00","EndTime":"2026-02-08T20:24:20.2663411+00:00","Properties":[]},{"TestCase":{"Id":"4e7b4d6b-d993-9cae-7f6b-8d428d1f8775","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0ca3cf4e0ee638bb5510906957619ba2eb238899"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DbConnection_SetterGetter"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0033393","StartTime":"2026-02-08T20:24:20.2629367+00:00","EndTime":"2026-02-08T20:24:20.2665801+00:00","Properties":[]},{"TestCase":{"Id":"c58adb59-300d-820c-7bea-8933c88b0d21","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"798c3f574bdc9d70c46f57de0be0460de047f215"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0007866","StartTime":"2026-02-08T20:24:20.2659825+00:00","EndTime":"2026-02-08T20:24:20.2668348+00:00","Properties":[]},{"TestCase":{"Id":"0e74b06d-d2b9-fbd5-e14a-58324a742c9f","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_DefaultConstructor_CreatesInstance","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_DefaultConstructor_CreatesInstance","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0fed60dcda6d7550abe0cd80ab311b8567458133"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_DefaultConstructor_CreatesInstance"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_DefaultConstructor_CreatesInstance","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004418","StartTime":"2026-02-08T20:24:20.2667766+00:00","EndTime":"2026-02-08T20:24:20.2679421+00:00","Properties":[]},{"TestCase":{"Id":"4110b91c-02b2-c8c6-89e4-1067962ca4f1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"49620625e6ba50412ba6d05da306f4d8efd208d2"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnInvalidColumnIndex"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020133","StartTime":"2026-02-08T20:24:20.2652106+00:00","EndTime":"2026-02-08T20:24:20.2682055+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":27,"Stats":{"Passed":27}},"ActiveTests":[{"Id":"f3f2777c-6705-3f90-3b16-3fea07f21d8a","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"14da6fa89b5eb0d57dd5e1079fb4438bf4143c07"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FloatBindingAndRetrieval"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"5bf75d6b-382b-9760-3047-421eb53ffee1","FullyQualifiedName":"DecentDB.Tests.TransactionTests.RollbackTransaction","DisplayName":"DecentDB.Tests.TransactionTests.RollbackTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3258db74afe59290503805904087d5498939d672"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RollbackTransaction"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},{"Id":"d8d181a9-e6e4-0511-2d6f-9cb242977b29","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8fbd5a1178369575b5e56a49cb60796bb98f3cfb"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"a4a52f5e-0a3d-ab63-0baa-640951fa4a20","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"164a380f8320f3a6f2331fa3934e76c7095ccd88"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Tables_ReturnsCreatedTables"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.268, 368940082075841, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.268, 368940082120575, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.269, 368940082136084, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.269, 368940082209161, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.269, 368940082341981, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.269, 368940082368962, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.269, 368940082400501, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.269, 368940082462708, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.NullHandling.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.269, 368940082609163, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.269, 368940082631334, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.269, 368940082661531, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.269, 368940082722045, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.269, 368940082838654, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.269, 368940082860535, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.269, 368940082890982, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.269, 368940082951796, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.269, 368940083089004, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.NullHandling.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.270, 368940083146251, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.NullHandling execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.270, 368940083232974, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.270, 368940083283359, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.270, 368940083319376, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.PrepareStatement.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.270, 368940083435845, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.270, 368940083670065, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.PrepareStatement.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.270, 368940083724818, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.PrepareStatement execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.270, 368940083789810, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.OpenNativeDatabase.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.270, 368940083808144, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.271, 368940084214978, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"f3f2777c-6705-3f90-3b16-3fea07f21d8a","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"14da6fa89b5eb0d57dd5e1079fb4438bf4143c07"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FloatBindingAndRetrieval"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012266","StartTime":"2026-02-08T20:24:20.2662864+00:00","EndTime":"2026-02-08T20:24:20.2691886+00:00","Properties":[]},{"TestCase":{"Id":"966f5338-86b3-07e2-a675-6f5f99d39d12","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2d6e410b5b58aca60abf285ed3044ebf0c9224ee"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_EmptyArray"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0040295","StartTime":"2026-02-08T20:24:20.2633549+00:00","EndTime":"2026-02-08T20:24:20.2694585+00:00","Properties":[]},{"TestCase":{"Id":"d8d181a9-e6e4-0511-2d6f-9cb242977b29","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8fbd5a1178369575b5e56a49cb60796bb98f3cfb"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0010496","StartTime":"2026-02-08T20:24:20.2670246+00:00","EndTime":"2026-02-08T20:24:20.2696891+00:00","Properties":[]},{"TestCase":{"Id":"12cdca0f-f1d8-b093-3fef-d9cd78c18aff","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.NullHandling","DisplayName":"DecentDB.Tests.NativeLayerTests.NullHandling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26f3bea47cede0a4fd767f79554470213e0cd1c1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NullHandling"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.NullHandling","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017289","StartTime":"2026-02-08T20:24:20.2693744+00:00","EndTime":"2026-02-08T20:24:20.26994+00:00","Properties":[]},{"TestCase":{"Id":"9defafa8-67ef-1872-9545-8181757c16fd","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5c8a16ba09814f1e965c6b5726263cb1e2ba4eeb"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindText_NullString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014864","StartTime":"2026-02-08T20:24:20.2696327+00:00","EndTime":"2026-02-08T20:24:20.2700812+00:00","Properties":[]},{"TestCase":{"Id":"534c36c8-c598-80b0-f3d3-c5e3ffd05cc1","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.PrepareStatement","DisplayName":"DecentDB.Tests.NativeLayerTests.PrepareStatement","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"36b542da9e297f8a64cfa68c214e871aa8fdf3f8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PrepareStatement"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.PrepareStatement","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006149","StartTime":"2026-02-08T20:24:20.2703703+00:00","EndTime":"2026-02-08T20:24:20.2705166+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":33,"Stats":{"Passed":33}},"ActiveTests":[{"Id":"21ee4efa-c806-f8b3-0504-ffdec398eb4e","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4de1b95ab9747f9e9f0d37e44a77a38a0a536017"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView_IndexOutOfRange_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"c16054e6-f41c-24e3-5eb6-d034a6febd65","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"aaa3f289adf1f647c8a4c070c2461babb99835cd"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"5bb37227-60e5-63bc-c7d7-a3321e749a8c","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6137ccf0f4d259919eb0e13f5cdb2c30f74f172a"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindText_EmptyString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"fa010b0b-77f1-b664-2a0f-de813da744a3","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.OpenNativeDatabase","DisplayName":"DecentDB.Tests.NativeLayerTests.OpenNativeDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"400dc9ba8005e7c3f52c7c0f50d9fe52d4f1ae00"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenNativeDatabase"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.271, 368940084292664, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.271, 368940084429370, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.271, 368940084449689, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.271, 368940084461661, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.271, 368940084490535, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.271, 368940084504121, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.271, 368940084564184, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDBException_Properties_AreCorrect.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.272, 368940085383271, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.272, 368940085414440, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.272, 368940085447743, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.272, 368940085512584, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.272, 368940085581844, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.OpenNativeDatabase.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.272, 368940085600950, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.OpenNativeDatabase' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.272, 368940085630456, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.OpenNativeDatabase execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.272, 368940085692692, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.BindAndStep.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.272, 368940085973329, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDBException_Properties_AreCorrect.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.272, 368940086020648, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDBException_Properties_AreCorrect execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.272, 368940086084157, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.273, 368940086188594, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.273, 368940086208461, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.273, 368940086238217, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.273, 368940086298580, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.273, 368940086432261, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.BindAndStep.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.273, 368940086564810, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.BindAndStep execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.273, 368940086628900, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.273, 368940086652334, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.273, 368940087069939, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"5bb37227-60e5-63bc-c7d7-a3321e749a8c","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6137ccf0f4d259919eb0e13f5cdb2c30f74f172a"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindText_EmptyString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010471","StartTime":"2026-02-08T20:24:20.270425+00:00","EndTime":"2026-02-08T20:24:20.2712774+00:00","Properties":[]},{"TestCase":{"Id":"c16054e6-f41c-24e3-5eb6-d034a6febd65","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"aaa3f289adf1f647c8a4c070c2461babb99835cd"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0026979","StartTime":"2026-02-08T20:24:20.2698638+00:00","EndTime":"2026-02-08T20:24:20.2722292+00:00","Properties":[]},{"TestCase":{"Id":"fa010b0b-77f1-b664-2a0f-de813da744a3","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.OpenNativeDatabase","DisplayName":"DecentDB.Tests.NativeLayerTests.OpenNativeDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"400dc9ba8005e7c3f52c7c0f50d9fe52d4f1ae00"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenNativeDatabase"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.OpenNativeDatabase","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008503","StartTime":"2026-02-08T20:24:20.2712088+00:00","EndTime":"2026-02-08T20:24:20.2724327+00:00","Properties":[]},{"TestCase":{"Id":"d9c3619b-27db-b0e3-056d-9f0d12fcf89c","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDBException_Properties_AreCorrect","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDBException_Properties_AreCorrect","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"68e142e067127d5f1025782020a62c838020977a"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBException_Properties_AreCorrect"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDBException_Properties_AreCorrect","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010973","StartTime":"2026-02-08T20:24:20.2714801+00:00","EndTime":"2026-02-08T20:24:20.2728104+00:00","Properties":[]},{"TestCase":{"Id":"8f198fab-226e-9a6c-9ca2-2dcfb24fb5db","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached","DisplayName":"DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"61f827278ca1b6e60b00f65d942e2ff5d6120c3e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SqlObservability_EventsFire_WhenHandlersAttached"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0082250","StartTime":"2026-02-08T20:24:20.2647129+00:00","EndTime":"2026-02-08T20:24:20.2730371+00:00","Properties":[]},{"TestCase":{"Id":"024120ea-faa1-6633-6c29-442558086e66","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.BindAndStep","DisplayName":"DecentDB.Tests.NativeLayerTests.BindAndStep","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"49431ff465f661e4446e80d1babfaaba3c2bba10"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"BindAndStep"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.BindAndStep","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016568","StartTime":"2026-02-08T20:24:20.2726726+00:00","EndTime":"2026-02-08T20:24:20.2732832+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":39,"Stats":{"Passed":39}},"ActiveTests":[{"Id":"ce0cc021-e65a-2c9d-b4aa-84e6888db5f9","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bbd16d87849448f2c873ac1e0738f772f63d4e77"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"ff812fa2-4e7b-3302-b38f-bb8feaaaa1a8","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6f6346a5c18d2f6e13613a222a86d5f08e0cc0a8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_Checkpoint_Success"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"b794905d-2c43-2f54-028a-8d4ac6400002","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase","DisplayName":"DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c2797006393d41ad5ff26849e7767ec0ea1cd9eb"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenNonExistentDatabase"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},{"Id":"99cfd983-88e3-52e0-a21b-8b07ef09d1a5","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip","DisplayName":"DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"585f9167e3850261bee0096b801d6dd4e88ebeb7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UuidColumnRoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.274, 368940087154207, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.274, 368940087287347, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.274, 368940087308196, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.274, 368940087320820, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.274, 368940087350405, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.274, 368940087365243, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.274, 368940087423493, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.274, 368940087533679, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.274, 368940087580828, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.274, 368940087612698, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.274, 368940087676888, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.274, 368940087824415, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.274, 368940087850645, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.274, 368940087882645, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.274, 368940087945874, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.275, 368940088149466, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.275, 368940088182268, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.275, 368940088234626, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.275, 368940088310669, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DataReaderTests.GetBytes.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.275, 368940088438639, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.275, 368940088459759, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.275, 368940088491669, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.275, 368940088590434, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.275, 368940088617124, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.276, 368940089152971, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"ff812fa2-4e7b-3302-b38f-bb8feaaaa1a8","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6f6346a5c18d2f6e13613a222a86d5f08e0cc0a8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_Checkpoint_Success"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010761","StartTime":"2026-02-08T20:24:20.2729954+00:00","EndTime":"2026-02-08T20:24:20.2741355+00:00","Properties":[]},{"TestCase":{"Id":"083de63e-ad5d-8c4a-393e-e04e8648f1a6","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip","DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02bd17544389aca255e56977e297862bee13c361"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllTypes_NullValues_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0234358","StartTime":"2026-02-08T20:24:20.2136626+00:00","EndTime":"2026-02-08T20:24:20.2743841+00:00","Properties":[]},{"TestCase":{"Id":"ce0cc021-e65a-2c9d-b4aa-84e6888db5f9","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bbd16d87849448f2c873ac1e0738f772f63d4e77"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0020957","StartTime":"2026-02-08T20:24:20.2726183+00:00","EndTime":"2026-02-08T20:24:20.2746733+00:00","Properties":[]},{"TestCase":{"Id":"1ea70c90-97c4-739f-13ad-aad05b7650c7","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly","DisplayName":"DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4a1c52b1942082c0768862284a6ca143aafba6cd"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamingBehaviorForwardOnly"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0093862","StartTime":"2026-02-08T20:24:20.2644897+00:00","EndTime":"2026-02-08T20:24:20.2749811+00:00","Properties":[]},{"TestCase":{"Id":"21ee4efa-c806-f8b3-0504-ffdec398eb4e","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4de1b95ab9747f9e9f0d37e44a77a38a0a536017"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView_IndexOutOfRange_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0061062","StartTime":"2026-02-08T20:24:20.2691213+00:00","EndTime":"2026-02-08T20:24:20.275287+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":44,"Stats":{"Passed":44}},"ActiveTests":[{"Id":"17616c75-369d-a6d4-5c45-5d7d892e0a90","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7ac623f7e5d51b770300b248f7da4efa5f61de68"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView_IndexOutOfRange_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"c7543263-208d-66da-7125-b875115ef526","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes","DisplayName":"DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"08fd838d4b8aa0af45aa74be01f0a8cfa2ad0839"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Blob_VariousSizes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"d4197c5e-e15c-1693-bdc5-6533f4e1e7fc","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c35f553fdc71ae71292c0ad54f081838748fdabf"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"9e485601-5e02-da40-50e5-16d0e67ac725","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetBytes","DisplayName":"DecentDB.Tests.DataReaderTests.GetBytes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4eb957d143f425b477fdfc8bd4b5dadd388ca5b5"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetBytes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"2ff10c55-6c5e-a28a-3adb-e82cd2ec7e67","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"608e20f42eed74c6aa5a9a103379ac67ac4d4ed7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_LargeButValidValue_Works"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.276, 368940089261134, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.276, 368940089435491, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.276, 368940089464355, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.276, 368940089476097, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.276, 368940089508087, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.276, 368940089522344, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.276, 368940089597315, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.276, 368940089655043, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.TransactionTests.RollbackTransaction.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.276, 368940089674570, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.TransactionTests.RollbackTransaction' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.276, 368940089704436, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.TransactionTests.RollbackTransaction execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.276, 368940089836715, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.276, 368940089976918, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.276, 368940089998458, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.276, 368940090029296, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.276, 368940090089820, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.277, 368940090212390, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.277, 368940090232598, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.277, 368940090261001, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.277, 368940090319962, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AllDataTypesTests.Text_Unicode.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.277, 368940090440749, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.277, 368940090462089, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.277, 368940090491615, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.277, 368940090552319, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.277, 368940090570903, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.277, 368940090940748, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"d4197c5e-e15c-1693-bdc5-6533f4e1e7fc","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c35f553fdc71ae71292c0ad54f081838748fdabf"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0011127","StartTime":"2026-02-08T20:24:20.2748819+00:00","EndTime":"2026-02-08T20:24:20.2762787+00:00","Properties":[]},{"TestCase":{"Id":"5bf75d6b-382b-9760-3047-421eb53ffee1","FullyQualifiedName":"DecentDB.Tests.TransactionTests.RollbackTransaction","DisplayName":"DecentDB.Tests.TransactionTests.RollbackTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3258db74afe59290503805904087d5498939d672"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RollbackTransaction"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TransactionTests.RollbackTransaction","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0076144","StartTime":"2026-02-08T20:24:20.2665145+00:00","EndTime":"2026-02-08T20:24:20.2765039+00:00","Properties":[]},{"TestCase":{"Id":"17616c75-369d-a6d4-5c45-5d7d892e0a90","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7ac623f7e5d51b770300b248f7da4efa5f61de68"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView_IndexOutOfRange_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016886","StartTime":"2026-02-08T20:24:20.2743316+00:00","EndTime":"2026-02-08T20:24:20.2768263+00:00","Properties":[]},{"TestCase":{"Id":"c7543263-208d-66da-7125-b875115ef526","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes","DisplayName":"DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"08fd838d4b8aa0af45aa74be01f0a8cfa2ad0839"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Blob_VariousSizes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017142","StartTime":"2026-02-08T20:24:20.2746142+00:00","EndTime":"2026-02-08T20:24:20.2770631+00:00","Properties":[]},{"TestCase":{"Id":"2ff10c55-6c5e-a28a-3adb-e82cd2ec7e67","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"608e20f42eed74c6aa5a9a103379ac67ac4d4ed7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_LargeButValidValue_Works"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012671","StartTime":"2026-02-08T20:24:20.2761897+00:00","EndTime":"2026-02-08T20:24:20.2772916+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":49,"Stats":{"Passed":49}},"ActiveTests":[{"Id":"7db36bec-bbb4-8c43-27e5-b85fdfb80bbd","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cd2b759ef17a179c1809dd80629413b0b89ef22b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"452a856b-4253-4cc7-2300-72cbfe81feba","FullyQualifiedName":"DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot","DisplayName":"DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4496d126d7bc70421a85d9423799749dca9b7e06"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TransactionIsolationLevelSnapshot"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},{"Id":"2e53b425-7943-cdd8-98b6-d6ccdc5d1e9f","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8a593324298317c9a92a0995a44c14a1f14cbc41"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnMetadata_NegativeIndex_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"7f2aada0-6a30-f5f7-f00c-479baec7b8ef","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Text_Unicode","DisplayName":"DecentDB.Tests.AllDataTypesTests.Text_Unicode","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"199f7911d25301768ba228f6cd6e9defaada20f5"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Text_Unicode"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"8aeecf70-e574-4b10-4997-f1477257b4f4","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"68a16c19ae772577713af6996ac45f54a6f3f48c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ResetThrowsOnError"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.277, 368940091024315, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.278, 368940091157495, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DataReaderTests.GetBytes.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.278, 368940091179747, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.278, 368940091191479, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DataReaderTests.GetBytes' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.278, 368940091222367, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DataReaderTests.GetBytes execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.278, 368940091236013, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.278, 368940091296476, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DataReaderTests.GetOrdinal.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.278, 368940091440166, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.278, 368940091463109, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.278, 368940091493967, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.278, 368940091695345, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.278, 368940091717547, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.278, 368940091746271, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.278, 368940091812335, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.278, 368940091924445, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.278, 368940091952137, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.278, 368940091982444, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.278, 368940092042397, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.TransactionTests.AutoRollbackOnDispose.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.279, 368940092166740, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.279, 368940092190495, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.279, 368940092220301, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.279, 368940092281526, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.279, 368940092433712, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AllDataTypesTests.Text_Unicode.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.279, 368940092454741, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AllDataTypesTests.Text_Unicode' in inProgress list.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.279, 368940092467255, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.279, 368940092843331, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"9e485601-5e02-da40-50e5-16d0e67ac725","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetBytes","DisplayName":"DecentDB.Tests.DataReaderTests.GetBytes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4eb957d143f425b477fdfc8bd4b5dadd388ca5b5"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetBytes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetBytes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016046","StartTime":"2026-02-08T20:24:20.2752208+00:00","EndTime":"2026-02-08T20:24:20.2780067+00:00","Properties":[]},{"TestCase":{"Id":"7db36bec-bbb4-8c43-27e5-b85fdfb80bbd","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cd2b759ef17a179c1809dd80629413b0b89ef22b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0014119","StartTime":"2026-02-08T20:24:20.2766111+00:00","EndTime":"2026-02-08T20:24:20.2782857+00:00","Properties":[]},{"TestCase":{"Id":"2e53b425-7943-cdd8-98b6-d6ccdc5d1e9f","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8a593324298317c9a92a0995a44c14a1f14cbc41"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnMetadata_NegativeIndex_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012441","StartTime":"2026-02-08T20:24:20.2769987+00:00","EndTime":"2026-02-08T20:24:20.2785446+00:00","Properties":[]},{"TestCase":{"Id":"452a856b-4253-4cc7-2300-72cbfe81feba","FullyQualifiedName":"DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot","DisplayName":"DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4496d126d7bc70421a85d9423799749dca9b7e06"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TransactionIsolationLevelSnapshot"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014675","StartTime":"2026-02-08T20:24:20.2767594+00:00","EndTime":"2026-02-08T20:24:20.2787751+00:00","Properties":[]},{"TestCase":{"Id":"8aeecf70-e574-4b10-4997-f1477257b4f4","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"68a16c19ae772577713af6996ac45f54a6f3f48c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ResetThrowsOnError"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008632","StartTime":"2026-02-08T20:24:20.2779373+00:00","EndTime":"2026-02-08T20:24:20.2790177+00:00","Properties":[]},{"TestCase":{"Id":"7f2aada0-6a30-f5f7-f00c-479baec7b8ef","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Text_Unicode","DisplayName":"DecentDB.Tests.AllDataTypesTests.Text_Unicode","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"199f7911d25301768ba228f6cd6e9defaada20f5"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Text_Unicode"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Text_Unicode","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016886","StartTime":"2026-02-08T20:24:20.2772289+00:00","EndTime":"2026-02-08T20:24:20.2792847+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":55,"Stats":{"Passed":55}},"ActiveTests":[{"Id":"ad748703-0637-4c65-bf99-d45ccf0b6224","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetOrdinal","DisplayName":"DecentDB.Tests.DataReaderTests.GetOrdinal","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"57fa2da4dfe475cf92f6b05d98890db65e7f42a6"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetOrdinal"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"71281565-e82b-a555-5809-49b9c5741e1f","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8f3b4a356435508e25548cbd6138ebba1f62af53"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_GetDecimal_ZeroScale"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"fdf5cc96-6734-c39c-7425-02409498c427","FullyQualifiedName":"DecentDB.Tests.TransactionTests.AutoRollbackOnDispose","DisplayName":"DecentDB.Tests.TransactionTests.AutoRollbackOnDispose","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4a51853ae46b32ce556934ed4735e8d013848487"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AutoRollbackOnDispose"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},{"Id":"e49571e0-2cb5-c5bc-b2ae-713c2c5173a1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6c38acfbdfdca62454f8d8a32881015c15fe80f2"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Getters_AfterDisposal"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.279, 368940092925375, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.279, 368940092977713, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AllDataTypesTests.Text_Unicode execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.279, 368940093004073, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.279, 368940093089674, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.280, 368940093310128, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.280, 368940093344172, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.280, 368940093384247, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.280, 368940093440492, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecimalTests.Decimal_Text_Interop.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.280, 368940093457464, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DecimalTests.Decimal_Text_Interop' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.280, 368940093486829, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecimalTests.Decimal_Text_Interop execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.280, 368940093572751, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.280, 368940093610151, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.280, 368940093675043, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DataReaderTests.GetOrdinal.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.280, 368940093694089, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DataReaderTests.GetOrdinal' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.280, 368940093742720, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DataReaderTests.GetOrdinal execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.280, 368940093846755, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DataReaderTests.RecordsAffected.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.280, 368940094008639, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.TransactionTests.AutoRollbackOnDispose.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.280, 368940094030450, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.TransactionTests.AutoRollbackOnDispose' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.280, 368940094060156, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.TransactionTests.AutoRollbackOnDispose execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.281, 368940094128705, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.281, 368940094196682, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.281, 368940094214385, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal' in inProgress list.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.281, 368940094227290, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.281, 368940094651005, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"13bfed11-d8a3-c3f7-bb22-1a976bbc4d97","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds","DisplayName":"DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"33502a6142b40161db00180ef7bec8209e363b26"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0271828","StartTime":"2026-02-08T20:24:20.2154698+00:00","EndTime":"2026-02-08T20:24:20.2801501+00:00","Properties":[]},{"TestCase":{"Id":"c8eb4232-bf9c-61ff-49c8-e91c969811d7","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_Text_Interop","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Text_Interop","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"802ec798dd83b575224a6167a843c9f2c11f5ba0"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_Text_Interop"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Text_Interop","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0271941","StartTime":"2026-02-08T20:24:20.2135975+00:00","EndTime":"2026-02-08T20:24:20.2802893+00:00","Properties":[]},{"TestCase":{"Id":"ad748703-0637-4c65-bf99-d45ccf0b6224","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetOrdinal","DisplayName":"DecentDB.Tests.DataReaderTests.GetOrdinal","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"57fa2da4dfe475cf92f6b05d98890db65e7f42a6"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetOrdinal"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetOrdinal","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012680","StartTime":"2026-02-08T20:24:20.2782047+00:00","EndTime":"2026-02-08T20:24:20.2805265+00:00","Properties":[]},{"TestCase":{"Id":"fdf5cc96-6734-c39c-7425-02409498c427","FullyQualifiedName":"DecentDB.Tests.TransactionTests.AutoRollbackOnDispose","DisplayName":"DecentDB.Tests.TransactionTests.AutoRollbackOnDispose","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4a51853ae46b32ce556934ed4735e8d013848487"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AutoRollbackOnDispose"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TransactionTests.AutoRollbackOnDispose","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012678","StartTime":"2026-02-08T20:24:20.2789522+00:00","EndTime":"2026-02-08T20:24:20.2808589+00:00","Properties":[]},{"TestCase":{"Id":"e49571e0-2cb5-c5bc-b2ae-713c2c5173a1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6c38acfbdfdca62454f8d8a32881015c15fe80f2"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Getters_AfterDisposal"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012202","StartTime":"2026-02-08T20:24:20.2791916+00:00","EndTime":"2026-02-08T20:24:20.2810477+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":60,"Stats":{"Passed":60}},"ActiveTests":[{"Id":"620c5c7e-9611-4523-616d-fe0f7a9a7eb0","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues","DisplayName":"DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"25cc9f44b191deb80d9d7ac6e7fc1c04f8f1ef92"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Int64_BoundaryValues"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"754486ab-2a78-0e34-ed0e-27e202154c7e","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes","DisplayName":"DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"368b48cf4819579ca4fa59f4cf28731bfc026a0f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MaxLength_UsesUtf8Bytes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},{"Id":"086c8aef-d47c-95f1-6e30-dedcc5e17f2f","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a305aca01152126cdbeac768aefcb672fbbf4e61"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_Overflow_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},{"Id":"e98c3f1f-3796-bd93-e9f8-e0f2716463e2","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.RecordsAffected","DisplayName":"DecentDB.Tests.DataReaderTests.RecordsAffected","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"616aeb6118e3e445ed252c25edb6bc74fd2146b0"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RecordsAffected"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"4db15c91-7ebc-86d2-35f5-cce5292b76e4","FullyQualifiedName":"DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported","DisplayName":"DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e026d4843612b972077c601d5903361e488c03c2"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NestedTransactionsNotSupported"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.281, 368940094750823, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.281, 368940094794485, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.281, 368940094809743, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.281, 368940094903940, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.281, 368940095048131, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.281, 368940095070413, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.281, 368940095100619, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.282, 368940095160101, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.282, 368940095282250, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.282, 368940095317817, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.282, 368940095391255, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.282, 368940095506141, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.282, 368940095526810, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.282, 368940095555764, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.282, 368940095640353, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecimalTests.Decimal_RoundTrip.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.282, 368940095749508, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DataReaderTests.RecordsAffected.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.282, 368940095769616, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DataReaderTests.RecordsAffected' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.282, 368940095798249, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DataReaderTests.RecordsAffected execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.282, 368940095859254, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DataReaderTests.HasRowsAndDepth.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.282, 368940095981243, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.282, 368940096000709, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.282, 368940096030746, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.282, 368940096109634, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.283, 368940096135312, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.283, 368940096571842, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"71281565-e82b-a555-5809-49b9c5741e1f","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8f3b4a356435508e25548cbd6138ebba1f62af53"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_GetDecimal_ZeroScale"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020247","StartTime":"2026-02-08T20:24:20.278723+00:00","EndTime":"2026-02-08T20:24:20.2818967+00:00","Properties":[]},{"TestCase":{"Id":"20c3c29b-7c67-a31d-55e7-f235cc05d8d3","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8b424eecaede8065f38fc9d7a73e9d5724d427bd"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBException_HasCorrectProperties"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011272","StartTime":"2026-02-08T20:24:20.2818289+00:00","EndTime":"2026-02-08T20:24:20.2821331+00:00","Properties":[]},{"TestCase":{"Id":"086c8aef-d47c-95f1-6e30-dedcc5e17f2f","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a305aca01152126cdbeac768aefcb672fbbf4e61"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_Overflow_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019527","StartTime":"2026-02-08T20:24:20.2806509+00:00","EndTime":"2026-02-08T20:24:20.2823564+00:00","Properties":[]},{"TestCase":{"Id":"e98c3f1f-3796-bd93-e9f8-e0f2716463e2","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.RecordsAffected","DisplayName":"DecentDB.Tests.DataReaderTests.RecordsAffected","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"616aeb6118e3e445ed252c25edb6bc74fd2146b0"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RecordsAffected"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.RecordsAffected","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019803","StartTime":"2026-02-08T20:24:20.2807837+00:00","EndTime":"2026-02-08T20:24:20.2826009+00:00","Properties":[]},{"TestCase":{"Id":"620c5c7e-9611-4523-616d-fe0f7a9a7eb0","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues","DisplayName":"DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"25cc9f44b191deb80d9d7ac6e7fc1c04f8f1ef92"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Int64_BoundaryValues"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024518","StartTime":"2026-02-08T20:24:20.28004+00:00","EndTime":"2026-02-08T20:24:20.2828322+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":65,"Stats":{"Passed":65}},"ActiveTests":[{"Id":"de43221d-e8e7-dc20-1de4-c9922cdc544e","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bf3bfbbb3d9e7c05c0e96e733c4f175973685e5c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_HighValue_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"6c618b27-d6ee-3544-d82c-6a45a0f8e71e","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b99f8d37dbc80818dc35a4cd614cc278612d9900"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_NegativeLargeValue_Works"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"fa469f6f-17af-ac42-4dd4-b77566604395","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_RoundTrip","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a382563cabc7ad5a73cb5fd44d58355361e05d88"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},{"Id":"27d1dee7-8280-c3bd-4925-e0334e28bd0e","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.HasRowsAndDepth","DisplayName":"DecentDB.Tests.DataReaderTests.HasRowsAndDepth","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"63f4ee847257afd210a60c88ea920a83e49121fc"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"HasRowsAndDepth"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"ffc165f2-ce91-3360-78d8-287db827c828","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse","DisplayName":"DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"27382039f7f8332297bab30e671ee540bbc2ccf7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Bool_TrueAndFalse"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.283, 368940096658174, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.283, 368940096821701, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.283, 368940096841388, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.283, 368940096853060, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.283, 368940096883257, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.283, 368940096897273, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.283, 368940096956504, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.DoubleBindNull.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.283, 368940097098902, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.283, 368940097121083, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.284, 368940097150038, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.284, 368940097216302, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.EdgeCaseTests.GuidParameterBinding.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.284, 368940097235248, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.EdgeCaseTests.GuidParameterBinding' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.284, 368940097263701, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.EdgeCaseTests.GuidParameterBinding execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.284, 368940097323073, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.284, 368940097371103, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.284, 368940097534961, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DmlTests.SelectWithPositionalParameters.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.284, 368940097555409, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DmlTests.SelectWithPositionalParameters' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.284, 368940097597809, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DmlTests.SelectWithPositionalParameters execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.284, 368940097664354, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.284, 368940097682768, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.284, 368940097738553, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DmlTests.ExecuteScalar.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.284, 368940097781784, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.284, 368940098043796, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.DoubleBindNull.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.284, 368940098096094, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.DoubleBindNull execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.285, 368940098162489, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.285, 368940098181244, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.285, 368940098553624, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"99cfd983-88e3-52e0-a21b-8b07ef09d1a5","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip","DisplayName":"DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"585f9167e3850261bee0096b801d6dd4e88ebeb7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UuidColumnRoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0062499","StartTime":"2026-02-08T20:24:20.2740686+00:00","EndTime":"2026-02-08T20:24:20.2836697+00:00","Properties":[]},{"TestCase":{"Id":"d9444345-34d8-ae97-36b5-5e21b1c2159a","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0b819ef1f1ef630994e60062bebeb06b862606fd"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindMultipleTypesInSingleStatement"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0306749","StartTime":"2026-02-08T20:24:20.2104141+00:00","EndTime":"2026-02-08T20:24:20.2839478+00:00","Properties":[]},{"TestCase":{"Id":"0d920d3f-54e6-2905-f377-142f1404058d","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.GuidParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.GuidParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"01a5f0a3317e5466c242e67476b8e1266c179542"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GuidParameterBinding"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.GuidParameterBinding","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0309008","StartTime":"2026-02-08T20:24:20.2137754+00:00","EndTime":"2026-02-08T20:24:20.2840541+00:00","Properties":[]},{"TestCase":{"Id":"56734fb1-3027-aead-4696-55c05a9ddd5b","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithPositionalParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithPositionalParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0395970922ecbe42c094c2e5cc03bbc5906a10a4"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithPositionalParameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.SelectWithPositionalParameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0309671","StartTime":"2026-02-08T20:24:20.2134599+00:00","EndTime":"2026-02-08T20:24:20.2843849+00:00","Properties":[]},{"TestCase":{"Id":"4db15c91-7ebc-86d2-35f5-cce5292b76e4","FullyQualifiedName":"DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported","DisplayName":"DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e026d4843612b972077c601d5903361e488c03c2"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NestedTransactionsNotSupported"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0029918","StartTime":"2026-02-08T20:24:20.2817295+00:00","EndTime":"2026-02-08T20:24:20.2845018+00:00","Properties":[]},{"TestCase":{"Id":"97a7713a-dfde-597d-d261-c949144fee53","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.DoubleBindNull","DisplayName":"DecentDB.Tests.NativeLayerTests.DoubleBindNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"603df9593ad350c447ea42abf41d66322a3b42db"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DoubleBindNull"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.DoubleBindNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012928","StartTime":"2026-02-08T20:24:20.2838681+00:00","EndTime":"2026-02-08T20:24:20.2848726+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":71,"Stats":{"Passed":71}},"ActiveTests":[{"Id":"fff966c6-fb62-c2ef-b78c-abf489a18cb1","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"54d0247664af93870716b04db9aef0563c8199d6"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindParametersAtExtremeIndices"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"2ba69c73-1f73-4ea8-fc16-2dcf07547641","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios","DisplayName":"DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"155f50b64ea889a3e09df1fd7dd6c9333d6e327c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CommandTimeoutScenarios"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"898590e0-4291-27e9-9894-6605f9ecaed0","FullyQualifiedName":"DecentDB.Tests.DmlTests.ExecuteScalar","DisplayName":"DecentDB.Tests.DmlTests.ExecuteScalar","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2c903838ab776a17d561e65e0eb196235880ee7e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExecuteScalar"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},{"Id":"6ef88a32-5315-b95a-2f5c-fa20480bc58c","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6e8bdfc4dfb2bef7e1d07aa09ec70d909ef42cd1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GuidBindingAndRetrieval"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.285, 368940098630839, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.285, 368940098706962, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.285, 368940098726017, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.285, 368940098736697, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.285, 368940098766143, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.285, 368940098779608, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.285, 368940098871130, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.285, 368940099023877, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.285, 368940099043884, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.285, 368940099086504, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.286, 368940099152378, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DataReaderTests.HasRowsAndDepth.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.286, 368940099169671, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DataReaderTests.HasRowsAndDepth' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.286, 368940099198795, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DataReaderTests.HasRowsAndDepth execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.286, 368940099259309, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.286, 368940099306528, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DataReaderTests.GetGuid.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.286, 368940099549003, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecimalTests.Decimal_RoundTrip.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.286, 368940099582576, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DecimalTests.Decimal_RoundTrip' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.286, 368940099625597, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecimalTests.Decimal_RoundTrip execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.286, 368940099739370, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.286, 368940099760079, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.286, 368940099807659, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.286, 368940099877991, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.286, 368940100002004, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.286, 368940100023404, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse' in inProgress list.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.286, 368940100036228, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.287, 368940100401344, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"754486ab-2a78-0e34-ed0e-27e202154c7e","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes","DisplayName":"DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"368b48cf4819579ca4fa59f4cf28731bfc026a0f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MaxLength_UsesUtf8Bytes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0038348","StartTime":"2026-02-08T20:24:20.2805986+00:00","EndTime":"2026-02-08T20:24:20.2855542+00:00","Properties":[]},{"TestCase":{"Id":"6c618b27-d6ee-3544-d82c-6a45a0f8e71e","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b99f8d37dbc80818dc35a4cd614cc278612d9900"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_NegativeLargeValue_Works"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0022659","StartTime":"2026-02-08T20:24:20.2823148+00:00","EndTime":"2026-02-08T20:24:20.2858747+00:00","Properties":[]},{"TestCase":{"Id":"27d1dee7-8280-c3bd-4925-e0334e28bd0e","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.HasRowsAndDepth","DisplayName":"DecentDB.Tests.DataReaderTests.HasRowsAndDepth","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"63f4ee847257afd210a60c88ea920a83e49121fc"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"HasRowsAndDepth"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.HasRowsAndDepth","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0021858","StartTime":"2026-02-08T20:24:20.282768+00:00","EndTime":"2026-02-08T20:24:20.2859899+00:00","Properties":[]},{"TestCase":{"Id":"fa469f6f-17af-ac42-4dd4-b77566604395","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_RoundTrip","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a382563cabc7ad5a73cb5fd44d58355361e05d88"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecimalTests.Decimal_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023665","StartTime":"2026-02-08T20:24:20.2825498+00:00","EndTime":"2026-02-08T20:24:20.2863831+00:00","Properties":[]},{"TestCase":{"Id":"2ba69c73-1f73-4ea8-fc16-2dcf07547641","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios","DisplayName":"DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"155f50b64ea889a3e09df1fd7dd6c9333d6e327c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CommandTimeoutScenarios"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007893","StartTime":"2026-02-08T20:24:20.2843101+00:00","EndTime":"2026-02-08T20:24:20.2865883+00:00","Properties":[]},{"TestCase":{"Id":"ffc165f2-ce91-3360-78d8-287db827c828","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse","DisplayName":"DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"27382039f7f8332297bab30e671ee540bbc2ccf7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Bool_TrueAndFalse"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020952","StartTime":"2026-02-08T20:24:20.2835745+00:00","EndTime":"2026-02-08T20:24:20.2868526+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":77,"Stats":{"Passed":77}},"ActiveTests":[{"Id":"9cf8d764-ca66-213e-99f5-bf6746d5973e","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip","DisplayName":"DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f1d29da09ea24e76a59afab4005376dbbcde9b1d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},{"Id":"bf073563-b61e-9136-3795-ef68237074d1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"de9ae0d30bdbd314246c6d1c830e13943cee7510"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnStepAfterFinalize"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"370ef913-c63e-788d-4032-cf09b0b93e7e","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetGuid","DisplayName":"DecentDB.Tests.DataReaderTests.GetGuid","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9bb6bb833a5506f2f7a6b463d0aaeb15e070b9af"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetGuid"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"1a261586-4ae0-568b-7ed2-1bb4f89ac4ee","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation","DisplayName":"DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"225dc549fdc3b4b203bbd23275105bf969c2002f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MicroOrm_EntityValidation"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.287, 368940100480041, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.287, 368940100518694, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.287, 368940100532961, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.287, 368940100592893, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AllDataTypesTests.Float64_Precision.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.287, 368940100733247, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DmlTests.ExecuteScalar.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.287, 368940100757392, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DmlTests.ExecuteScalar' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.287, 368940100786758, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DmlTests.ExecuteScalar execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.287, 368940100847472, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DmlTests.SelectWithNamedParameters.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.287, 368940100970833, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.287, 368940101002082, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.287, 368940101051905, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.288, 368940101155831, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.288, 368940101281136, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.288, 368940101304500, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.288, 368940101337923, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.288, 368940101400630, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.288, 368940101535323, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.288, 368940101555912, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.288, 368940101585498, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.288, 368940101647504, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.288, 368940101773992, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DataReaderTests.GetGuid.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.288, 368940101795241, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DataReaderTests.GetGuid' in inProgress list.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.288, 368940101807504, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.289, 368940102167981, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"898590e0-4291-27e9-9894-6605f9ecaed0","FullyQualifiedName":"DecentDB.Tests.DmlTests.ExecuteScalar","DisplayName":"DecentDB.Tests.DmlTests.ExecuteScalar","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2c903838ab776a17d561e65e0eb196235880ee7e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExecuteScalar"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.ExecuteScalar","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010140","StartTime":"2026-02-08T20:24:20.2847064+00:00","EndTime":"2026-02-08T20:24:20.2875822+00:00","Properties":[]},{"TestCase":{"Id":"fff966c6-fb62-c2ef-b78c-abf489a18cb1","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"54d0247664af93870716b04db9aef0563c8199d6"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindParametersAtExtremeIndices"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011650","StartTime":"2026-02-08T20:24:20.2842798+00:00","EndTime":"2026-02-08T20:24:20.287807+00:00","Properties":[]},{"TestCase":{"Id":"bf073563-b61e-9136-3795-ef68237074d1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"de9ae0d30bdbd314246c6d1c830e13943cee7510"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnStepAfterFinalize"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007500","StartTime":"2026-02-08T20:24:20.2862141+00:00","EndTime":"2026-02-08T20:24:20.2881303+00:00","Properties":[]},{"TestCase":{"Id":"de43221d-e8e7-dc20-1de4-c9922cdc544e","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bf3bfbbb3d9e7c05c0e96e733c4f175973685e5c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_HighValue_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0040892","StartTime":"2026-02-08T20:24:20.2820683+00:00","EndTime":"2026-02-08T20:24:20.2883862+00:00","Properties":[]},{"TestCase":{"Id":"370ef913-c63e-788d-4032-cf09b0b93e7e","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetGuid","DisplayName":"DecentDB.Tests.DataReaderTests.GetGuid","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9bb6bb833a5506f2f7a6b463d0aaeb15e070b9af"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetGuid"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetGuid","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013262","StartTime":"2026-02-08T20:24:20.2862703+00:00","EndTime":"2026-02-08T20:24:20.2886245+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":82,"Stats":{"Passed":82}},"ActiveTests":[{"Id":"461a87d7-1105-9952-0df1-5cd12ec07e6b","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Float64_Precision","DisplayName":"DecentDB.Tests.AllDataTypesTests.Float64_Precision","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"762c98a006c4d52224087c0b7244a83a15b69c0b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Float64_Precision"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"33529275-7d1b-ebbb-027e-205f696483b2","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithNamedParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithNamedParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3cdda7aa2ad98ac4da78188fafa8c5bb66e290f3"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithNamedParameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},{"Id":"f71550d2-c6a8-4642-9b15-124c9bee0cea","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8a486f320c666503c231a777008f32943f5c2743"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_MultipleStepsAndResets"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"187fbf00-a7bb-901e-0a1e-fe6538528c34","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e157122c0da7457fe6fb276b0df5fe64550b5f2f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_WithInvalidOptions_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"2da5cb7e-7045-94f0-81a9-5a24d0c8c9ab","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d714e04ca1f688b07027e5abd5a514553f53d751"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SafeHandles_IsInvalid_Property"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.289, 368940102239987, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.289, 368940102279611, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DataReaderTests.GetGuid execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.289, 368940102294349, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.289, 368940102360443, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DataReaderTests.GetDataTypeName.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.289, 368940102577300, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.289, 368940102607767, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.289, 368940102642222, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.289, 368940102705832, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.289, 368940102803245, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.289, 368940102824084, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.289, 368940102853519, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.289, 368940102926306, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.289, 368940103054727, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.289, 368940103074534, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.292, 368940105185969, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.292, 368940105406814, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.292, 368940105432462, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.292, 368940105463901, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.292, 368940105536618, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.292, 368940105760348, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AllDataTypesTests.Float64_Precision.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.292, 368940105789252, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AllDataTypesTests.Float64_Precision' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.292, 368940105820361, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AllDataTypesTests.Float64_Precision execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.292, 368940105881836, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.292, 368940105908827, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.293, 368940106319799, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"187fbf00-a7bb-901e-0a1e-fe6538528c34","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e157122c0da7457fe6fb276b0df5fe64550b5f2f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_WithInvalidOptions_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007150","StartTime":"2026-02-08T20:24:20.2883091+00:00","EndTime":"2026-02-08T20:24:20.2894118+00:00","Properties":[]},{"TestCase":{"Id":"6ef88a32-5315-b95a-2f5c-fa20480bc58c","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6e8bdfc4dfb2bef7e1d07aa09ec70d909ef42cd1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GuidBindingAndRetrieval"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019459","StartTime":"2026-02-08T20:24:20.2856976+00:00","EndTime":"2026-02-08T20:24:20.2896535+00:00","Properties":[]},{"TestCase":{"Id":"b794905d-2c43-2f54-028a-8d4ac6400002","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase","DisplayName":"DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c2797006393d41ad5ff26849e7767ec0ea1cd9eb"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenNonExistentDatabase"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0101594","StartTime":"2026-02-08T20:24:20.2732068+00:00","EndTime":"2026-02-08T20:24:20.289906+00:00","Properties":[]},{"TestCase":{"Id":"2da5cb7e-7045-94f0-81a9-5a24d0c8c9ab","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d714e04ca1f688b07027e5abd5a514553f53d751"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SafeHandles_IsInvalid_Property"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008032","StartTime":"2026-02-08T20:24:20.288561+00:00","EndTime":"2026-02-08T20:24:20.2922443+00:00","Properties":[]},{"TestCase":{"Id":"461a87d7-1105-9952-0df1-5cd12ec07e6b","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Float64_Precision","DisplayName":"DecentDB.Tests.AllDataTypesTests.Float64_Precision","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"762c98a006c4d52224087c0b7244a83a15b69c0b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Float64_Precision"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Float64_Precision","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023040","StartTime":"2026-02-08T20:24:20.2875034+00:00","EndTime":"2026-02-08T20:24:20.2926054+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":87,"Stats":{"Passed":87}},"ActiveTests":[{"Id":"d49a9a10-d54d-1ed3-ebab-a2bbc25b0546","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetDataTypeName","DisplayName":"DecentDB.Tests.DataReaderTests.GetDataTypeName","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cdd1b96e7e8a62c45544544be3a75e91feef0eb3"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetDataTypeName"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"8e2bc982-dc42-ec80-44d0-70054bbf7789","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e66d4e720f0a3deced274c68bff0f6daafa0c487"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"f8d70f4e-e526-c9a5-e2b6-ccac2d764d95","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7d032fdf4e296ccbb411cbb6e51fdf248d880438"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"BoolBindingAndRetrieval"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"495d98e5-4857-272d-736a-7f294f6483f8","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"da9d4c2fdd07266a070c0a111b59722db6ecbc26"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Getters_OutOfBoundsIndex"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"c9d1ae63-d030-9c5d-2d06-4772488cb53e","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes","DisplayName":"DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"92627d7c162deb2b05fe4fbd3bd08bd228e79063"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetValue_ReturnsCorrectBoxedTypes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.293, 368940106531747, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.293, 368940106677540, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.293, 368940106698660, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.293, 368940106709290, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.293, 368940106739637, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.293, 368940106753082, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.293, 368940106826240, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.293, 368940106882425, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DataReaderTests.GetDataTypeName.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.293, 368940106901521, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DataReaderTests.GetDataTypeName' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.293, 368940106931417, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DataReaderTests.GetDataTypeName execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.293, 368940107024592, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DataReaderTests.IndexerAccess.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.294, 368940107186777, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.294, 368940107211733, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.294, 368940107240818, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.294, 368940107329685, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.294, 368940107348450, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.294, 368940107377605, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.294, 368940107448428, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.294, 368940107562332, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DmlTests.SelectWithNamedParameters.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.294, 368940107582439, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DmlTests.SelectWithNamedParameters' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.294, 368940107612406, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DmlTests.SelectWithNamedParameters execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.294, 368940107671306, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DmlTests.UpdateAndDelete.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.294, 368940107793947, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.294, 368940107813844, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex' in inProgress list.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.294, 368940107826999, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.295, 368940108214376, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"f71550d2-c6a8-4642-9b15-124c9bee0cea","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8a486f320c666503c231a777008f32943f5c2743"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_MultipleStepsAndResets"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020588","StartTime":"2026-02-08T20:24:20.288067+00:00","EndTime":"2026-02-08T20:24:20.2935247+00:00","Properties":[]},{"TestCase":{"Id":"d49a9a10-d54d-1ed3-ebab-a2bbc25b0546","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetDataTypeName","DisplayName":"DecentDB.Tests.DataReaderTests.GetDataTypeName","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cdd1b96e7e8a62c45544544be3a75e91feef0eb3"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetDataTypeName"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetDataTypeName","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013008","StartTime":"2026-02-08T20:24:20.2892932+00:00","EndTime":"2026-02-08T20:24:20.2937326+00:00","Properties":[]},{"TestCase":{"Id":"8e2bc982-dc42-ec80-44d0-70054bbf7789","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e66d4e720f0a3deced274c68bff0f6daafa0c487"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014368","StartTime":"2026-02-08T20:24:20.2896144+00:00","EndTime":"2026-02-08T20:24:20.2940373+00:00","Properties":[]},{"TestCase":{"Id":"f8d70f4e-e526-c9a5-e2b6-ccac2d764d95","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7d032fdf4e296ccbb411cbb6e51fdf248d880438"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"BoolBindingAndRetrieval"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014319","StartTime":"2026-02-08T20:24:20.2898646+00:00","EndTime":"2026-02-08T20:24:20.2941812+00:00","Properties":[]},{"TestCase":{"Id":"33529275-7d1b-ebbb-027e-205f696483b2","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithNamedParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithNamedParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3cdda7aa2ad98ac4da78188fafa8c5bb66e290f3"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithNamedParameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.SelectWithNamedParameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026609","StartTime":"2026-02-08T20:24:20.2877842+00:00","EndTime":"2026-02-08T20:24:20.2944127+00:00","Properties":[]},{"TestCase":{"Id":"495d98e5-4857-272d-736a-7f294f6483f8","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"da9d4c2fdd07266a070c0a111b59722db6ecbc26"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Getters_OutOfBoundsIndex"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013777","StartTime":"2026-02-08T20:24:20.2924763+00:00","EndTime":"2026-02-08T20:24:20.2946443+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":93,"Stats":{"Passed":93}},"ActiveTests":[{"Id":"f6f3a14d-fa45-f1e8-0164-bdf44936f273","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a2ed03b20fad28d8e22842f7bd09e5bca8fa74e8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindText_WithVeryLongString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"8e72e101-94af-da78-f802-0f9c08cf21fa","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.IndexerAccess","DisplayName":"DecentDB.Tests.DataReaderTests.IndexerAccess","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d830cd81d14a10a493f8e506f7f2a9f066ccf08b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"IndexerAccess"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"757dd737-b933-2262-4371-4b716f45b747","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8abc5b667abacff7a96aee1714fa914f57527015"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TextBindingAndRetrieval"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"dfebeb0f-c17a-fccd-e3a0-364461e7d033","FullyQualifiedName":"DecentDB.Tests.DmlTests.UpdateAndDelete","DisplayName":"DecentDB.Tests.DmlTests.UpdateAndDelete","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7457bcb6567538a58faa8d97138721c40f6c79ee"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAndDelete"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.295, 368940108298283, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.295, 368940108337717, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.295, 368940108351894, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.295, 368940108411316, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.295, 368940108525961, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DapperIntegrationTests.TestDapperScalar.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.295, 368940108545618, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DapperIntegrationTests.TestDapperScalar' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.295, 368940108587577, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DapperIntegrationTests.TestDapperScalar execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.295, 368940108674420, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DapperIntegrationTests.TestDapperAsync.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.295, 368940108841854, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.295, 368940108867903, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.295, 368940108899302, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.295, 368940108962581, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.RowView.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.295, 368940109085552, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.295, 368940109122822, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.296, 368940109189587, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.296, 368940109349928, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DataReaderTests.IndexerAccess.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.296, 368940109373452, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DataReaderTests.IndexerAccess' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.296, 368940109404030, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DataReaderTests.IndexerAccess execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.296, 368940109470695, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DataReaderTests.GetFieldValue.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.296, 368940109590690, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DmlTests.UpdateAndDelete.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.296, 368940109612982, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DmlTests.UpdateAndDelete' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.296, 368940109641876, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DmlTests.UpdateAndDelete execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.296, 368940109701698, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DmlTests.CreateTableAndInsert.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.296, 368940109720253, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.297, 368940110143478, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"eef85a2c-8dcf-89ea-5828-78e763cef34d","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperScalar","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperScalar","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"18c05465f695461bcaa8720adfd4db8911dca4bc"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperScalar"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperScalar","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0380879","StartTime":"2026-02-08T20:24:20.2153537+00:00","EndTime":"2026-02-08T20:24:20.2953751+00:00","Properties":[]},{"TestCase":{"Id":"757dd737-b933-2262-4371-4b716f45b747","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8abc5b667abacff7a96aee1714fa914f57527015"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TextBindingAndRetrieval"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010792","StartTime":"2026-02-08T20:24:20.2943591+00:00","EndTime":"2026-02-08T20:24:20.2956895+00:00","Properties":[]},{"TestCase":{"Id":"cf2b7d47-6b7a-c825-83bd-861dcc272b9c","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e95a9f7d9d8a0d1ddf0f91890d6f98cef1c46b27"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Dispose_MultipleTimes_DoesNotThrow"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006901","StartTime":"2026-02-08T20:24:20.2953215+00:00","EndTime":"2026-02-08T20:24:20.2959366+00:00","Properties":[]},{"TestCase":{"Id":"8e72e101-94af-da78-f802-0f9c08cf21fa","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.IndexerAccess","DisplayName":"DecentDB.Tests.DataReaderTests.IndexerAccess","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d830cd81d14a10a493f8e506f7f2a9f066ccf08b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"IndexerAccess"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.IndexerAccess","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0021002","StartTime":"2026-02-08T20:24:20.293947+00:00","EndTime":"2026-02-08T20:24:20.2961981+00:00","Properties":[]},{"TestCase":{"Id":"dfebeb0f-c17a-fccd-e3a0-364461e7d033","FullyQualifiedName":"DecentDB.Tests.DmlTests.UpdateAndDelete","DisplayName":"DecentDB.Tests.DmlTests.UpdateAndDelete","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7457bcb6567538a58faa8d97138721c40f6c79ee"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAndDelete"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.UpdateAndDelete","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016615","StartTime":"2026-02-08T20:24:20.2945807+00:00","EndTime":"2026-02-08T20:24:20.2964411+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":98,"Stats":{"Passed":98}},"ActiveTests":[{"Id":"76f5d7ad-3f72-3483-57fe-4356c31211fe","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperAsync","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1f20a463a21014e1a1ae4626361cf8cff8136c20"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperAsync"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},{"Id":"6b1c661a-37d3-0d6c-cef5-8c2a92391e43","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.RowView","DisplayName":"DecentDB.Tests.NativeLayerTests.RowView","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"935027d154e6850f220464a799675c2251f1972d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"77b11dc1-bb69-864b-ffb8-e2aff59cc4df","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ef75bdcb9d066edd1b539f0b154d50c6327dce70"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_Overflow_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"36d27bec-f5a0-ec59-0b9b-9cc0e745bdde","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetFieldValue","DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldValue","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ede64bbcd91c03b0bb1736828f82fd6933d57663"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetFieldValue"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"f33220a7-1a4d-247c-b3ed-6aef6a2c4b73","FullyQualifiedName":"DecentDB.Tests.DmlTests.CreateTableAndInsert","DisplayName":"DecentDB.Tests.DmlTests.CreateTableAndInsert","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"870bf01b3154b84e74cd404e3e561bbd279e9d40"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CreateTableAndInsert"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.297, 368940110241592, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.297, 368940110393958, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.RowView.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.297, 368940110414096, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.297, 368940110425929, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.RowView' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.297, 368940110456045, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.RowView execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.297, 368940110469691, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.297, 368940110528852, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.ErrorHandling.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.297, 368940110596890, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.297, 368940110617258, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.297, 368940110667602, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.297, 368940110759796, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.297, 368940110972545, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.297, 368940111003563, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.297, 368940111045873, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.297, 368940111109753, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.298, 368940111223066, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.298, 368940111243694, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.298, 368940111273210, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.298, 368940111331920, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.298, 368940111465501, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DmlTests.CreateTableAndInsert.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.298, 368940111485388, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DmlTests.CreateTableAndInsert' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.298, 368940111514513, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DmlTests.CreateTableAndInsert execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.298, 368940111586578, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DmlTests.SelectWithMultipleParameters.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.298, 368940111604792, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.298, 368940111982221, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"6b1c661a-37d3-0d6c-cef5-8c2a92391e43","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.RowView","DisplayName":"DecentDB.Tests.NativeLayerTests.RowView","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"935027d154e6850f220464a799675c2251f1972d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.RowView","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009898","StartTime":"2026-02-08T20:24:20.2958726+00:00","EndTime":"2026-02-08T20:24:20.2972416+00:00","Properties":[]},{"TestCase":{"Id":"77b11dc1-bb69-864b-ffb8-e2aff59cc4df","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ef75bdcb9d066edd1b539f0b154d50c6327dce70"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_Overflow_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009172","StartTime":"2026-02-08T20:24:20.2961211+00:00","EndTime":"2026-02-08T20:24:20.2974474+00:00","Properties":[]},{"TestCase":{"Id":"f6f3a14d-fa45-f1e8-0164-bdf44936f273","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a2ed03b20fad28d8e22842f7bd09e5bca8fa74e8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindText_WithVeryLongString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0032272","StartTime":"2026-02-08T20:24:20.2938518+00:00","EndTime":"2026-02-08T20:24:20.2978071+00:00","Properties":[]},{"TestCase":{"Id":"c9d1ae63-d030-9c5d-2d06-4772488cb53e","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes","DisplayName":"DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"92627d7c162deb2b05fe4fbd3bd08bd228e79063"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetValue_ReturnsCorrectBoxedTypes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0033293","StartTime":"2026-02-08T20:24:20.2934527+00:00","EndTime":"2026-02-08T20:24:20.2980724+00:00","Properties":[]},{"TestCase":{"Id":"f33220a7-1a4d-247c-b3ed-6aef6a2c4b73","FullyQualifiedName":"DecentDB.Tests.DmlTests.CreateTableAndInsert","DisplayName":"DecentDB.Tests.DmlTests.CreateTableAndInsert","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"870bf01b3154b84e74cd404e3e561bbd279e9d40"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CreateTableAndInsert"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.CreateTableAndInsert","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011063","StartTime":"2026-02-08T20:24:20.2971616+00:00","EndTime":"2026-02-08T20:24:20.2983167+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":103,"Stats":{"Passed":103}},"ActiveTests":[{"Id":"ba415e74-9550-70c6-90ae-6e319501a832","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.ErrorHandling","DisplayName":"DecentDB.Tests.NativeLayerTests.ErrorHandling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9432f772d0371657b2035141b1fe23516472d9f4"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ErrorHandling"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"3d5e7dde-d973-d621-3507-fa0bdd1942bb","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f39ea490af8f2204039def4d502416f5391256d1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_NullArray"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"282f5bbd-942c-2509-19d2-68c1c06d0506","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a6d79fbb5f792185c66fe8b70f96a457c2b8d6b3"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindGuid_WithMaxValue"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"eb4422f0-3bc1-ac53-2fe6-96a01ab57e29","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues","DisplayName":"DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a3c0863e945d4c2d6d47db7786e9f108ad6aa7f6"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Uuid_MultipleValues"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"12fdf661-4623-41b8-585a-19977f726a2e","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithMultipleParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithMultipleParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"903dfaa5134c95ac7c34e0c17370dd9b1630b74d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithMultipleParameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.298, 368940112064776, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.299, 368940112184391, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.ErrorHandling.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.299, 368940112204228, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.299, 368940112215279, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.ErrorHandling' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.299, 368940112244644, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.ErrorHandling execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.299, 368940112258751, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.299, 368940112316098, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.MultipleRows.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.299, 368940112440251, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.299, 368940112461121, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.299, 368940112490165, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.299, 368940112550939, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.299, 368940112618947, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.299, 368940112638303, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.299, 368940112670955, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.299, 368940112753279, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.299, 368940112926785, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.299, 368940112949528, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.299, 368940112981628, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.299, 368940113084111, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.300, 368940113256354, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.300, 368940113287573, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.300, 368940113321066, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.300, 368940113383824, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.300, 368940113402318, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.300, 368940113782663, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"ba415e74-9550-70c6-90ae-6e319501a832","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.ErrorHandling","DisplayName":"DecentDB.Tests.NativeLayerTests.ErrorHandling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9432f772d0371657b2035141b1fe23516472d9f4"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ErrorHandling"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.ErrorHandling","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010527","StartTime":"2026-02-08T20:24:20.2975241+00:00","EndTime":"2026-02-08T20:24:20.2990338+00:00","Properties":[]},{"TestCase":{"Id":"3d5e7dde-d973-d621-3507-fa0bdd1942bb","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f39ea490af8f2204039def4d502416f5391256d1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_NullArray"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010467","StartTime":"2026-02-08T20:24:20.2976869+00:00","EndTime":"2026-02-08T20:24:20.299291+00:00","Properties":[]},{"TestCase":{"Id":"94a4ac31-7527-aae2-b45b-0b8dbd09284c","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4e4fd70a7815457e2bfe4f1ea99fe5e9a241c1af"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Non_Pooled_Mode_Works"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0240085","StartTime":"2026-02-08T20:24:20.2626683+00:00","EndTime":"2026-02-08T20:24:20.29947+00:00","Properties":[]},{"TestCase":{"Id":"27473ec4-9ff3-dc09-c5d3-8264915b4891","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"04a26d50f2980c51dac96819fb7eadfa54cba0ec"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_WithDifferentEntityTypes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0417274","StartTime":"2026-02-08T20:24:20.2136911+00:00","EndTime":"2026-02-08T20:24:20.2997767+00:00","Properties":[]},{"TestCase":{"Id":"0314bf26-828b-18e2-0966-160886b3d039","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02ef566fe97ce0688a500cb1037caf73165cb714"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstAsync_With_No_Results_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0385841","StartTime":"2026-02-08T20:24:20.2137203+00:00","EndTime":"2026-02-08T20:24:20.3000903+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":108,"Stats":{"Passed":108}},"ActiveTests":[{"Id":"6cb1b4c1-098f-2b38-577a-84f319dc8356","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.MultipleRows","DisplayName":"DecentDB.Tests.NativeLayerTests.MultipleRows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"af8391aa29bc770ce750bad358880a320d46ad35"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MultipleRows"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"cbbafa89-c465-99b3-9a26-eb241842e6b2","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fe1def8e9984bc7a9dae59ba4edb17c7fecc9e0b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnMetadata_OutOfBoundsIndex"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"a9dd18dd-e480-0336-9fe9-759f4997682e","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed","DisplayName":"DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"78ff761a0db8d19544fabf028dd4c0006953fad0"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Transactions_Are_Properly_Managed"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"7b7821b5-dd6e-ae2f-b80c-1b83b7a4bd3c","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"11f5ddc1145b9296ade878d1a6f63f242c101a5b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_BeginTransaction"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"d3b707b3-ab55-8df5-f0f7-a410f6e552e4","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"047c00cd0360ad36f2f68d631d2baf62d9c2fa14"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_Predicate"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.300, 368940113860399, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.300, 368940113992296, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.300, 368940114012404, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.300, 368940114023154, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.300, 368940114052820, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.300, 368940114065664, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.301, 368940114174348, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DataReaderTests.GetFieldValue.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.301, 368940114196710, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.301, 368940114207761, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DataReaderTests.GetFieldValue' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.301, 368940114236755, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DataReaderTests.GetFieldValue execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.301, 368940114249680, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.301, 368940114308871, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DataReaderTests.GetFieldType.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.301, 368940114441009, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DmlTests.SelectWithMultipleParameters.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.301, 368940114462048, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DmlTests.SelectWithMultipleParameters' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.301, 368940114490021, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DmlTests.SelectWithMultipleParameters execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.301, 368940114550505, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DmlTests.NullParameterHandling.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.301, 368940114662495, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.301, 368940114682472, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.301, 368940114725423, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.301, 368940114786087, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.301, 368940114896094, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.MultipleRows.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.301, 368940114917243, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.MultipleRows' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.301, 368940114948622, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.MultipleRows execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.301, 368940115039533, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.302, 368940115219882, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.302, 368940115245840, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation' in inProgress list.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.302, 368940115260738, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.302, 368940115662293, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"cbbafa89-c465-99b3-9a26-eb241842e6b2","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fe1def8e9984bc7a9dae59ba4edb17c7fecc9e0b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnMetadata_OutOfBoundsIndex"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007589","StartTime":"2026-02-08T20:24:20.2996068+00:00","EndTime":"2026-02-08T20:24:20.3008415+00:00","Properties":[]},{"TestCase":{"Id":"36d27bec-f5a0-ec59-0b9b-9cc0e745bdde","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetFieldValue","DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldValue","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ede64bbcd91c03b0bb1736828f82fd6933d57663"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetFieldValue"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldValue","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026103","StartTime":"2026-02-08T20:24:20.2963784+00:00","EndTime":"2026-02-08T20:24:20.3010259+00:00","Properties":[]},{"TestCase":{"Id":"12fdf661-4623-41b8-585a-19977f726a2e","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithMultipleParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithMultipleParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"903dfaa5134c95ac7c34e0c17370dd9b1630b74d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithMultipleParameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.SelectWithMultipleParameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015931","StartTime":"2026-02-08T20:24:20.2989797+00:00","EndTime":"2026-02-08T20:24:20.3012926+00:00","Properties":[]},{"TestCase":{"Id":"282f5bbd-942c-2509-19d2-68c1c06d0506","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a6d79fbb5f792185c66fe8b70f96a457c2b8d6b3"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindGuid_WithMaxValue"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019140","StartTime":"2026-02-08T20:24:20.2980207+00:00","EndTime":"2026-02-08T20:24:20.3015125+00:00","Properties":[]},{"TestCase":{"Id":"6cb1b4c1-098f-2b38-577a-84f319dc8356","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.MultipleRows","DisplayName":"DecentDB.Tests.NativeLayerTests.MultipleRows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"af8391aa29bc770ce750bad358880a320d46ad35"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MultipleRows"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.MultipleRows","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016374","StartTime":"2026-02-08T20:24:20.2992246+00:00","EndTime":"2026-02-08T20:24:20.3017477+00:00","Properties":[]},{"TestCase":{"Id":"1a261586-4ae0-568b-7ed2-1bb4f89ac4ee","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation","DisplayName":"DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"225dc549fdc3b4b203bbd23275105bf969c2002f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MicroOrm_EntityValidation"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0091064","StartTime":"2026-02-08T20:24:20.2868013+00:00","EndTime":"2026-02-08T20:24:20.3020637+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":114,"Stats":{"Passed":114}},"ActiveTests":[{"Id":"b2b8985b-0a8b-e888-8e86-d6626f184ede","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetFieldType","DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldType","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f7738d2a43618f84cc0790b093496da5de540653"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetFieldType"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"713407d2-3ac4-09cf-4203-9a0cea21e323","FullyQualifiedName":"DecentDB.Tests.DmlTests.NullParameterHandling","DisplayName":"DecentDB.Tests.DmlTests.NullParameterHandling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e4a6167338cd7c4d804e54331caf26a1a3c32a98"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NullParameterHandling"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},{"Id":"d4d60062-34b2-c3cf-e1c1-ea9c74e02aa4","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b9144cf4114414eb90c7aef890ed271e94387e4d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindFloatWithExtremeValues"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"8ba36eed-8093-08b9-2c23-e984e7f6bfe7","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b678de00515aa4943c54802754e7c31677fdfaa5"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecimalBindingAndRetrieval"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.302, 368940115743405, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.302, 368940115783420, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.302, 368940115796835, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.302, 368940115856718, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.302, 368940115996230, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.302, 368940116016658, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.302, 368940116045222, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.302, 368940116119571, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.303, 368940116175877, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.303, 368940116194342, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.303, 368940116222935, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.303, 368940116301363, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.303, 368940116459189, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.303, 368940116487572, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.303, 368940116518370, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.303, 368940116582060, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.303, 368940116748993, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.303, 368940116806992, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.303, 368940116878907, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.303, 368940117009763, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DmlTests.NullParameterHandling.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.303, 368940117031584, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DmlTests.NullParameterHandling' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.303, 368940117061139, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DmlTests.NullParameterHandling execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.303, 368940117119238, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DmlTests.SelectWithP0Parameters.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.304, 368940117136821, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.304, 368940117512156, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"a9dd18dd-e480-0336-9fe9-759f4997682e","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed","DisplayName":"DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"78ff761a0db8d19544fabf028dd4c0006953fad0"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Transactions_Are_Properly_Managed"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0031738","StartTime":"2026-02-08T20:24:20.2996759+00:00","EndTime":"2026-02-08T20:24:20.3028443+00:00","Properties":[]},{"TestCase":{"Id":"eb4422f0-3bc1-ac53-2fe6-96a01ab57e29","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues","DisplayName":"DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a3c0863e945d4c2d6d47db7786e9f108ad6aa7f6"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Uuid_MultipleValues"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0035684","StartTime":"2026-02-08T20:24:20.298241+00:00","EndTime":"2026-02-08T20:24:20.3030254+00:00","Properties":[]},{"TestCase":{"Id":"7b7821b5-dd6e-ae2f-b80c-1b83b7a4bd3c","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"11f5ddc1145b9296ade878d1a6f63f242c101a5b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_BeginTransaction"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0028033","StartTime":"2026-02-08T20:24:20.3000288+00:00","EndTime":"2026-02-08T20:24:20.3032978+00:00","Properties":[]},{"TestCase":{"Id":"db75fdc0-ac83-8379-bc73-e4f541efc1f2","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8d7290881c5de01ee37018028f648aabc0bf4952"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Accepts_Path_As_ConnectionString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002392","StartTime":"2026-02-08T20:24:20.3031545+00:00","EndTime":"2026-02-08T20:24:20.3035855+00:00","Properties":[]},{"TestCase":{"Id":"713407d2-3ac4-09cf-4203-9a0cea21e323","FullyQualifiedName":"DecentDB.Tests.DmlTests.NullParameterHandling","DisplayName":"DecentDB.Tests.DmlTests.NullParameterHandling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e4a6167338cd7c4d804e54331caf26a1a3c32a98"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NullParameterHandling"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.NullParameterHandling","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020698","StartTime":"2026-02-08T20:24:20.3014737+00:00","EndTime":"2026-02-08T20:24:20.3038597+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":119,"Stats":{"Passed":119}},"ActiveTests":[{"Id":"907dda6a-e647-2941-e5ec-1c7e83248416","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2a4ababdcf277e317373392b514dd84ac72036cf"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateTimeParameterBinding"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"46599b34-7ba6-28e9-5ecb-dded6f1fa1c5","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip","DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a83fe71dcaf79df2d6d6ef5426e16e0b08eef8ce"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllTypes_InsertAndSelect_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"401fbab7-ff6e-3387-b37b-59d305d2a809","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1353372ac8f8225aeca798dffde381bd1319a802"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_InsertManyAsync_MultipleEntities"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"a9dd1a29-a5b5-b823-728f-37a0475fc078","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9b03fb34496b2b781afc22624f59ccedde952d8a"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Event_Add_Remove_Works"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"81db0525-875a-0ef0-d7c7-204f2f2ecb6c","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithP0Parameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithP0Parameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"eb492bb1042290fb984a20d90a0969c9852a7bca"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithP0Parameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.304, 368940117583500, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.304, 368940117713975, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DataReaderTests.GetFieldType.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.304, 368940117733011, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.304, 368940117747468, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DataReaderTests.GetFieldType' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.304, 368940117777605, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DataReaderTests.GetFieldType execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.304, 368940117791370, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.304, 368940117910224, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.304, 368940117928177, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.304, 368940117939879, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.304, 368940117967090, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.304, 368940117980105, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.304, 368940118038575, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.BlobBindingAndRetrieval.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.305, 368940118192854, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.305, 368940118224534, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.305, 368940118269248, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.305, 368940118365979, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.305, 368940118534616, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.305, 368940118560054, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.305, 368940118591503, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.305, 368940118653299, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.305, 368940118775508, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DmlTests.SelectWithP0Parameters.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.305, 368940118795385, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DmlTests.SelectWithP0Parameters' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.305, 368940118824971, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DmlTests.SelectWithP0Parameters execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.305, 368940118941009, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.305, 368940118960055, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.305, 368940118990061, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.305, 368940119092423, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.BlobBindingAndRetrieval.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.306, 368940119127920, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.BlobBindingAndRetrieval execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.306, 368940119187522, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.RowsAffected.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.306, 368940119205385, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.306, 368940119622859, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"b2b8985b-0a8b-e888-8e86-d6626f184ede","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetFieldType","DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldType","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f7738d2a43618f84cc0790b093496da5de540653"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetFieldType"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldType","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0025024","StartTime":"2026-02-08T20:24:20.301217+00:00","EndTime":"2026-02-08T20:24:20.3045625+00:00","Properties":[]},{"TestCase":{"Id":"8ba36eed-8093-08b9-2c23-e984e7f6bfe7","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b678de00515aa4943c54802754e7c31677fdfaa5"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecimalBindingAndRetrieval"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026933","StartTime":"2026-02-08T20:24:20.3019669+00:00","EndTime":"2026-02-08T20:24:20.3047615+00:00","Properties":[]},{"TestCase":{"Id":"d4d60062-34b2-c3cf-e1c1-ea9c74e02aa4","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b9144cf4114414eb90c7aef890ed271e94387e4d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindFloatWithExtremeValues"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0033436","StartTime":"2026-02-08T20:24:20.3016958+00:00","EndTime":"2026-02-08T20:24:20.3050304+00:00","Properties":[]},{"TestCase":{"Id":"907dda6a-e647-2941-e5ec-1c7e83248416","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2a4ababdcf277e317373392b514dd84ac72036cf"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateTimeParameterBinding"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024132","StartTime":"2026-02-08T20:24:20.3027659+00:00","EndTime":"2026-02-08T20:24:20.3053818+00:00","Properties":[]},{"TestCase":{"Id":"81db0525-875a-0ef0-d7c7-204f2f2ecb6c","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithP0Parameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithP0Parameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"eb492bb1042290fb984a20d90a0969c9852a7bca"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithP0Parameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.SelectWithP0Parameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019284","StartTime":"2026-02-08T20:24:20.3045113+00:00","EndTime":"2026-02-08T20:24:20.3056267+00:00","Properties":[]},{"TestCase":{"Id":"46599b34-7ba6-28e9-5ecb-dded6f1fa1c5","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip","DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a83fe71dcaf79df2d6d6ef5426e16e0b08eef8ce"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllTypes_InsertAndSelect_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024072","StartTime":"2026-02-08T20:24:20.3032223+00:00","EndTime":"2026-02-08T20:24:20.3057919+00:00","Properties":[]},{"TestCase":{"Id":"a8605fab-1f7d-f3ae-1790-854dbbdbaea8","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.BlobBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.BlobBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ccd583a6e2b20caf7b92e92a3a0c831f90999da1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"BlobBindingAndRetrieval"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.BlobBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015197","StartTime":"2026-02-08T20:24:20.3049463+00:00","EndTime":"2026-02-08T20:24:20.3059449+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":126,"Stats":{"Passed":126}},"ActiveTests":[{"Id":"f6e137b8-9752-db8d-a589-7f44614a5a40","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cb2671a9a2dce4d04ad54a713b9408d7e9f44e61"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnName_WithSpecialCharacters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"6a3f19ab-c66f-f9b4-240b-b71e280f4be0","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"52c81fa78e9f82b85286e7439ebd1a12f2b7299c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateOnlyTimeOnlyParameterBinding"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"2fe3c492-9ebe-dcc2-e97c-9738b63b1a85","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.RowsAffected","DisplayName":"DecentDB.Tests.NativeLayerTests.RowsAffected","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fb22910fdba1e3749a1ebfe9fd9cc5b41151ce48"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowsAffected"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.306, 368940119708340, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.306, 368940119842782, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.306, 368940119866747, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.306, 368940119877968, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.306, 368940119912974, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.306, 368940119928172, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.306, 368940120013883, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.307, 368940120206756, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.307, 368940120233927, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.307, 368940120267279, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.307, 368940120329907, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.307, 368940120454821, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.RowsAffected.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.307, 368940120475520, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.RowsAffected' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.307, 368940120505376, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.RowsAffected execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.307, 368940120613309, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.307, 368940120632175, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.307, 368940120661259, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.307, 368940120720581, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.EdgeCaseTests.TimeSpanParameterBinding.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.307, 368940120842179, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.EdgeCaseTests.TimeSpanParameterBinding.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.307, 368940120876704, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.EdgeCaseTests.TimeSpanParameterBinding execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.307, 368940120936436, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.307, 368940121064026, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.307, 368940121086668, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.307, 368940121114430, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.308, 368940121193108, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.308, 368940121211533, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.308, 368940121594832, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"e32432ad-c183-d674-9c3d-e182d698fdfd","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters","DisplayName":"DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"17c906d994f909075c90a7527776dc4ce37219aa"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"QueryAsync_WithParameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0443235","StartTime":"2026-02-08T20:24:20.2152728+00:00","EndTime":"2026-02-08T20:24:20.3066908+00:00","Properties":[]},{"TestCase":{"Id":"f6e137b8-9752-db8d-a589-7f44614a5a40","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cb2671a9a2dce4d04ad54a713b9408d7e9f44e61"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnName_WithSpecialCharacters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014674","StartTime":"2026-02-08T20:24:20.3052956+00:00","EndTime":"2026-02-08T20:24:20.3070401+00:00","Properties":[]},{"TestCase":{"Id":"2fe3c492-9ebe-dcc2-e97c-9738b63b1a85","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.RowsAffected","DisplayName":"DecentDB.Tests.NativeLayerTests.RowsAffected","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fb22910fdba1e3749a1ebfe9fd9cc5b41151ce48"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowsAffected"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.RowsAffected","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009407","StartTime":"2026-02-08T20:24:20.3066252+00:00","EndTime":"2026-02-08T20:24:20.3073048+00:00","Properties":[]},{"TestCase":{"Id":"6a3f19ab-c66f-f9b4-240b-b71e280f4be0","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"52c81fa78e9f82b85286e7439ebd1a12f2b7299c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateOnlyTimeOnlyParameterBinding"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014381","StartTime":"2026-02-08T20:24:20.3055621+00:00","EndTime":"2026-02-08T20:24:20.3074646+00:00","Properties":[]},{"TestCase":{"Id":"f5de1e7c-d905-7470-ac7a-3dc142f1fdb4","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.TimeSpanParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.TimeSpanParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6bcf4c0d7873bd1108ba5181a48054b21194983b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TimeSpanParameterBinding"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.TimeSpanParameterBinding","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009447","StartTime":"2026-02-08T20:24:20.3076306+00:00","EndTime":"2026-02-08T20:24:20.307694+00:00","Properties":[]},{"TestCase":{"Id":"875da2b0-fd6d-f566-4d2d-5c2e980a8605","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"091495c9323ecf6ef651bb1f55339e602c304684"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_IsNotNull"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0493168","StartTime":"2026-02-08T20:24:20.2152289+00:00","EndTime":"2026-02-08T20:24:20.3079138+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":132,"Stats":{"Passed":132}},"ActiveTests":[{"Id":"7cf9d182-3067-f12d-cfc8-47b0a9d6ee67","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1823080ee64a9f9ab8365ca27cb34a7bbd522cc1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"0479c616-90fe-ea12-92bc-63085a4d8634","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"debc24533fa21796e777d3d8b3da5d82dac4dd5e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_WithVariousScales"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"039e2023-bfc1-8e9a-3a60-3e0da5d5a710","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases","DisplayName":"DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"97472a9e4c8a43fc028bad93005b5cc88ac73217"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ParameterBinding_EdgeCases"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"f3ede0dd-abe3-d7d3-2b78-8b6fe4749b8e","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"10a75118e91a030010b7145844e3604611096f03"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamAsync_WithFilter"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.308, 368940121670254, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.308, 368940121793025, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.308, 368940121817871, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.308, 368940121835454, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.308, 368940121880058, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.308, 368940121905175, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.308, 368940121999052, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.309, 368940122144865, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.309, 368940122168790, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.309, 368940122200370, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.309, 368940122267386, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.309, 368940122403872, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.309, 368940122423669, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.309, 368940122453355, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.309, 368940122513077, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.309, 368940122637070, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.309, 368940122656496, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.309, 368940122685320, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.309, 368940122743991, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.EdgeCaseTests.NestedTransactions.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.309, 368940122865288, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.309, 368940122886218, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.309, 368940122915703, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.309, 368940122974604, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.309, 368940122992157, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.310, 368940123417736, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"0479c616-90fe-ea12-92bc-63085a4d8634","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"debc24533fa21796e777d3d8b3da5d82dac4dd5e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_WithVariousScales"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017119","StartTime":"2026-02-08T20:24:20.3072391+00:00","EndTime":"2026-02-08T20:24:20.3086319+00:00","Properties":[]},{"TestCase":{"Id":"a9dd1a29-a5b5-b823-728f-37a0475fc078","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9b03fb34496b2b781afc22624f59ccedde952d8a"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Event_Add_Remove_Works"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0048556","StartTime":"2026-02-08T20:24:20.3037919+00:00","EndTime":"2026-02-08T20:24:20.3089937+00:00","Properties":[]},{"TestCase":{"Id":"a4a52f5e-0a3d-ab63-0baa-640951fa4a20","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"164a380f8320f3a6f2331fa3934e76c7095ccd88"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Tables_ReturnsCreatedTables"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0283514","StartTime":"2026-02-08T20:24:20.2681526+00:00","EndTime":"2026-02-08T20:24:20.3092543+00:00","Properties":[]},{"TestCase":{"Id":"039e2023-bfc1-8e9a-3a60-3e0da5d5a710","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases","DisplayName":"DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"97472a9e4c8a43fc028bad93005b5cc88ac73217"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ParameterBinding_EdgeCases"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017055","StartTime":"2026-02-08T20:24:20.3078448+00:00","EndTime":"2026-02-08T20:24:20.309488+00:00","Properties":[]},{"TestCase":{"Id":"7cf9d182-3067-f12d-cfc8-47b0a9d6ee67","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1823080ee64a9f9ab8365ca27cb34a7bbd522cc1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0038269","StartTime":"2026-02-08T20:24:20.3069447+00:00","EndTime":"2026-02-08T20:24:20.3097165+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":137,"Stats":{"Passed":137}},"ActiveTests":[{"Id":"dc61fe33-975c-aadf-e114-a5e9c141c60e","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ec1127dfae6cbdfecfa2f6b93aa7ce2b31e6a173"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_WithLargeByteArray"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"9d6aeb73-d6d0-6a6d-bfaa-0e90ce00d648","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled","DisplayName":"DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a9131827dd223f4d7dcaf0a4a5e19f194f07f351"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Events_Are_Properly_Handled"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"4744bce0-4039-66f4-17bb-4a361a846590","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1d6b4f6b417a1b30c741c81aa1e38207a4981fd7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Columns_IncludesPkAndNullability"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"de5b7ca7-5444-2b2c-e282-2fe3d2131f27","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.NestedTransactions","DisplayName":"DecentDB.Tests.EdgeCaseTests.NestedTransactions","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"acbb7c3582ac5be85f2172d89f45c4481bc3df6b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NestedTransactions"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"5a45cd95-0648-736c-77d9-df763f0bcdfa","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23e5528d8df361c20b98ae6fefe281b5482b4c29"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_AutoIncrement_SetsId"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.310, 368940123520469, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.310, 368940123665461, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.310, 368940123685238, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.310, 368940123696910, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.310, 368940123727788, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.310, 368940123741083, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.310, 368940123800715, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.310, 368940123923416, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.EdgeCaseTests.NestedTransactions.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.310, 368940123944315, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.EdgeCaseTests.NestedTransactions' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.310, 368940123974281, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.EdgeCaseTests.NestedTransactions execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.310, 368940124033272, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.311, 368940124160421, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.311, 368940124180468, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.311, 368940124211276, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.311, 368940124272982, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.311, 368940124395723, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.311, 368940124431640, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.311, 368940124490621, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.311, 368940124615365, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.311, 368940124636224, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.311, 368940124668655, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.311, 368940124727876, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.311, 368940124849695, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.311, 368940124869613, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter' in inProgress list.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.311, 368940124883428, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.312, 368940125265596, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"d3b707b3-ab55-8df5-f0f7-a410f6e552e4","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"047c00cd0360ad36f2f68d631d2baf62d9c2fa14"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_Predicate"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0095132","StartTime":"2026-02-08T20:24:20.3007752+00:00","EndTime":"2026-02-08T20:24:20.3105132+00:00","Properties":[]},{"TestCase":{"Id":"de5b7ca7-5444-2b2c-e282-2fe3d2131f27","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.NestedTransactions","DisplayName":"DecentDB.Tests.EdgeCaseTests.NestedTransactions","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"acbb7c3582ac5be85f2172d89f45c4481bc3df6b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NestedTransactions"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.NestedTransactions","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006221","StartTime":"2026-02-08T20:24:20.3096534+00:00","EndTime":"2026-02-08T20:24:20.3107745+00:00","Properties":[]},{"TestCase":{"Id":"401fbab7-ff6e-3387-b37b-59d305d2a809","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1353372ac8f8225aeca798dffde381bd1319a802"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_InsertManyAsync_MultipleEntities"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0073742","StartTime":"2026-02-08T20:24:20.3035054+00:00","EndTime":"2026-02-08T20:24:20.3110079+00:00","Properties":[]},{"TestCase":{"Id":"d2eff22e-e22a-ec1f-f9be-2c3d8e656009","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"06bdf042287e5391189fc351dd95d7986afca796"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Skip_With_Negative_Value_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013115","StartTime":"2026-02-08T20:24:20.3107104+00:00","EndTime":"2026-02-08T20:24:20.3112468+00:00","Properties":[]},{"TestCase":{"Id":"9d6aeb73-d6d0-6a6d-bfaa-0e90ce00d648","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled","DisplayName":"DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a9131827dd223f4d7dcaf0a4a5e19f194f07f351"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Events_Are_Properly_Handled"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0034606","StartTime":"2026-02-08T20:24:20.3091773+00:00","EndTime":"2026-02-08T20:24:20.3114664+00:00","Properties":[]},{"TestCase":{"Id":"f3ede0dd-abe3-d7d3-2b78-8b6fe4749b8e","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"10a75118e91a030010b7145844e3604611096f03"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamAsync_WithFilter"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0043461","StartTime":"2026-02-08T20:24:20.3085841+00:00","EndTime":"2026-02-08T20:24:20.3117005+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":143,"Stats":{"Passed":143}},"ActiveTests":[{"Id":"37beb522-3ac2-da47-aae4-68c4658ac8a5","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency","DisplayName":"DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b8c930d93327cc3ae468c8cfca5b8b7a7af53640"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AsyncOperationsConcurrency"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"738dec07-b778-de10-da40-ac0f07911d83","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1ef14465cddad0507635583f199ce85847efddab"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Take_Skip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"7f94d702-502a-dc0e-b9be-2eb64eb06ef9","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1848fc4d05de6ae27395ea35791ab847aecd172d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAsync_With_Null_NonNullable_Property_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"48bcca6e-c511-99c7-ed73-392ebd03d3dd","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed","DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bf54196a6e1b05f7e372e2599935645ae88a956f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Connection_Is_Properly_Managed"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.312, 368940125338183, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.312, 368940125376785, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.312, 368940125393166, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.312, 368940125480370, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.312, 368940125649016, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.312, 368940125679393, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.312, 368940125710622, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.312, 368940125834074, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.312, 368940125852719, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.312, 368940125881553, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.312, 368940125940504, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.312, 368940126084554, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.312, 368940126105944, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.313, 368940126135510, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.313, 368940126221291, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.313, 368940126292555, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.313, 368940126316901, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.313, 368940126348480, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.313, 368940126432818, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.313, 368940126587549, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.313, 368940126609831, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.313, 368940126638925, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.313, 368940126703517, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.313, 368940126728964, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.313, 368940127110410, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"9cf8d764-ca66-213e-99f5-bf6746d5973e","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip","DisplayName":"DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f1d29da09ea24e76a59afab4005376dbbcde9b1d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0197007","StartTime":"2026-02-08T20:24:20.2857984+00:00","EndTime":"2026-02-08T20:24:20.3124885+00:00","Properties":[]},{"TestCase":{"Id":"37beb522-3ac2-da47-aae4-68c4658ac8a5","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency","DisplayName":"DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b8c930d93327cc3ae468c8cfca5b8b7a7af53640"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AsyncOperationsConcurrency"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026459","StartTime":"2026-02-08T20:24:20.310942+00:00","EndTime":"2026-02-08T20:24:20.3126846+00:00","Properties":[]},{"TestCase":{"Id":"5a45cd95-0648-736c-77d9-df763f0bcdfa","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23e5528d8df361c20b98ae6fefe281b5482b4c29"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_AutoIncrement_SetsId"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0037727","StartTime":"2026-02-08T20:24:20.310445+00:00","EndTime":"2026-02-08T20:24:20.3129314+00:00","Properties":[]},{"TestCase":{"Id":"738dec07-b778-de10-da40-ac0f07911d83","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1ef14465cddad0507635583f199ce85847efddab"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Take_Skip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0029258","StartTime":"2026-02-08T20:24:20.3111827+00:00","EndTime":"2026-02-08T20:24:20.3131361+00:00","Properties":[]},{"TestCase":{"Id":"48bcca6e-c511-99c7-ed73-392ebd03d3dd","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed","DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bf54196a6e1b05f7e372e2599935645ae88a956f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Connection_Is_Properly_Managed"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0021018","StartTime":"2026-02-08T20:24:20.3116368+00:00","EndTime":"2026-02-08T20:24:20.3134381+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":148,"Stats":{"Passed":148}},"ActiveTests":[{"Id":"4fb84e52-6189-99f8-e98e-3c564509ff01","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"17aab9a45cc340d6ec659bd93abd62df5efb8b60"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_ComplexPredicate"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"12272b2f-2f37-b2b3-cb68-d6ed115b604b","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests","DisplayName":"DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"edcfef0b3c8e85a02b7aa8886342dc4f72c395bf"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecimalPrecisionTests"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"10e5bc79-5d68-4750-e50b-724e5259bb6d","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow","DisplayName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4697b20a0051a06d0bf83fb3fe3f0c5f0186aef1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpsertAsync_UpdatesExistingRow"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"5f97a30f-92d9-6689-8367-b35a8a5c88cf","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3083caae6c4810620796ba01162c943b95ac9608"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_DeleteByIdAsync_Entity"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"f24110ad-57e2-7309-e301-615c5f5afb37","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e668e8671d814ba11969a4b75c86847248a99686"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Throws_ArgumentException_For_Empty_ConnectionString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.314, 368940127198105, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.314, 368940127550417, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.314, 368940127602555, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.314, 368940127616230, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.314, 368940127653911, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.314, 368940127669540, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.314, 368940127747557, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.314, 368940127916484, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.314, 368940127941651, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.314, 368940127991044, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.314, 368940128024898, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.314, 368940128040096, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.314, 368940128068209, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.315, 368940128159711, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.315, 368940128201559, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.315, 368940128370226, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.315, 368940128392037, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.315, 368940128421322, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.315, 368940128481835, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.315, 368940128644852, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.315, 368940128668105, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.315, 368940128717047, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.315, 368940128750460, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.315, 368940128781248, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.315, 368940128854295, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.315, 368940128877348, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.316, 368940129340658, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"4744bce0-4039-66f4-17bb-4a361a846590","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1d6b4f6b417a1b30c741c81aa1e38207a4981fd7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Columns_IncludesPkAndNullability"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0058162","StartTime":"2026-02-08T20:24:20.3094226+00:00","EndTime":"2026-02-08T20:24:20.314354+00:00","Properties":[]},{"TestCase":{"Id":"f24110ad-57e2-7309-e301-615c5f5afb37","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e668e8671d814ba11969a4b75c86847248a99686"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Throws_ArgumentException_For_Empty_ConnectionString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005649","StartTime":"2026-02-08T20:24:20.314113+00:00","EndTime":"2026-02-08T20:24:20.3147644+00:00","Properties":[]},{"TestCase":{"Id":"12272b2f-2f37-b2b3-cb68-d6ed115b604b","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests","DisplayName":"DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"edcfef0b3c8e85a02b7aa8886342dc4f72c395bf"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecimalPrecisionTests"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015945","StartTime":"2026-02-08T20:24:20.3128512+00:00","EndTime":"2026-02-08T20:24:20.3148431+00:00","Properties":[]},{"TestCase":{"Id":"dc61fe33-975c-aadf-e114-a5e9c141c60e","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ec1127dfae6cbdfecfa2f6b93aa7ce2b31e6a173"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_WithLargeByteArray"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0067453","StartTime":"2026-02-08T20:24:20.3089272+00:00","EndTime":"2026-02-08T20:24:20.3152193+00:00","Properties":[]},{"TestCase":{"Id":"4fb84e52-6189-99f8-e98e-3c564509ff01","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"17aab9a45cc340d6ec659bd93abd62df5efb8b60"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_ComplexPredicate"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026195","StartTime":"2026-02-08T20:24:20.3124072+00:00","EndTime":"2026-02-08T20:24:20.3154897+00:00","Properties":[]},{"TestCase":{"Id":"e92b3608-efeb-3f79-7e14-a46d390fcc5e","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases","DisplayName":"DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f0184ca1b42a8b87581935cf2a78f1d65bd1704f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringParsing_EdgeCases"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004703","StartTime":"2026-02-08T20:24:20.3151276+00:00","EndTime":"2026-02-08T20:24:20.3155701+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":154,"Stats":{"Passed":154}},"ActiveTests":[{"Id":"27637d5b-3f9b-eb01-8e2d-138ab87f7a6c","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23253c1882cf2b7391c8fabe318f313ab08040f8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Columns_FilteredByTable"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"8d040988-69fd-fbf9-02e9-5d6bb60aebb1","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions","DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fa2fbc743e4979bae80548d167a5620610336b5f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Connection_Scope_Management_With_Transactions"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"8e19b822-4526-7d8b-0706-ebafaf35445f","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ecc8b46b2f73b7dc2272a240acd1d36562af24e9"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindGuid_WithAllZeros"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"040cc1d2-1f41-e0dd-c931-3d2c6300f25b","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1a6d9efab0941610a331d689946f315be5928727"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstAsync_WithPredicate_NoMatch_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.316, 368940129451185, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.316, 368940129600366, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.316, 368940129625843, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.316, 368940129638357, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.316, 368940129669986, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.316, 368940129683442, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.316, 368940129742773, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.316, 368940129909947, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.316, 368940129951986, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.316, 368940129965191, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.316, 368940130022598, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteReader_WhenConnectionIsNull.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.317, 368940130141862, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.317, 368940130163593, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.317, 368940130193139, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.317, 368940130252831, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.317, 368940130401019, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.317, 368940130424163, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.317, 368940130454239, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.317, 368940130533187, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteReader_WhenConnectionIsNull.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.317, 368940130571930, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteReader_WhenConnectionIsNull execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.317, 368940130643314, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.317, 368940130791402, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.317, 368940130813694, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.317, 368940130843410, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.317, 368940130918832, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Dispose_MultipleTimes.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.317, 368940131061800, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.317, 368940131105101, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.318, 368940131269270, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Dispose_MultipleTimes.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.318, 368940131311940, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Dispose_MultipleTimes execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.318, 368940131385869, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.318, 368940131408962, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.318, 368940132071977, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"27637d5b-3f9b-eb01-8e2d-138ab87f7a6c","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23253c1882cf2b7391c8fabe318f313ab08040f8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Columns_FilteredByTable"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009087","StartTime":"2026-02-08T20:24:20.3146776+00:00","EndTime":"2026-02-08T20:24:20.3164486+00:00","Properties":[]},{"TestCase":{"Id":"96e38127-a8f4-cfe1-9938-60fd257d4897","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2fb42e046d573ef32f3f2cf6c9f083266f22de45"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_BeginTransaction_WhenClosed_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005954","StartTime":"2026-02-08T20:24:20.3166668+00:00","EndTime":"2026-02-08T20:24:20.3167572+00:00","Properties":[]},{"TestCase":{"Id":"8e19b822-4526-7d8b-0706-ebafaf35445f","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ecc8b46b2f73b7dc2272a240acd1d36562af24e9"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindGuid_WithAllZeros"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014157","StartTime":"2026-02-08T20:24:20.3153967+00:00","EndTime":"2026-02-08T20:24:20.3169914+00:00","Properties":[]},{"TestCase":{"Id":"8d040988-69fd-fbf9-02e9-5d6bb60aebb1","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions","DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fa2fbc743e4979bae80548d167a5620610336b5f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Connection_Scope_Management_With_Transactions"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0022237","StartTime":"2026-02-08T20:24:20.3151091+00:00","EndTime":"2026-02-08T20:24:20.3172514+00:00","Properties":[]},{"TestCase":{"Id":"2b085e47-3583-3dc6-5bf6-30d0c503eff6","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteReader_WhenConnectionIsNull","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteReader_WhenConnectionIsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3d2e6203829190a0ddf39c9c9f4d7243be19e162"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteReader_WhenConnectionIsNull"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteReader_WhenConnectionIsNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007388","StartTime":"2026-02-08T20:24:20.3169367+00:00","EndTime":"2026-02-08T20:24:20.3173831+00:00","Properties":[]},{"TestCase":{"Id":"5f97a30f-92d9-6689-8367-b35a8a5c88cf","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3083caae6c4810620796ba01162c943b95ac9608"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_DeleteByIdAsync_Entity"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0035616","StartTime":"2026-02-08T20:24:20.3133765+00:00","EndTime":"2026-02-08T20:24:20.3176409+00:00","Properties":[]},{"TestCase":{"Id":"cbe68af8-32f5-8c31-e745-5b733714d2e1","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f0f3c2599a68e384bf79fbf1d3bac9f1cb6d0933"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindAndRetrieveUnicodeText"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014711","StartTime":"2026-02-08T20:24:20.3171709+00:00","EndTime":"2026-02-08T20:24:20.3179061+00:00","Properties":[]},{"TestCase":{"Id":"1a8e2e0f-168e-dee5-b29a-b1c051e2516f","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Dispose_MultipleTimes","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Dispose_MultipleTimes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3328af002391ff94734db248914c3dcc5f599543"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Dispose_MultipleTimes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Dispose_MultipleTimes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008583","StartTime":"2026-02-08T20:24:20.3178394+00:00","EndTime":"2026-02-08T20:24:20.3181146+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":162,"Stats":{"Passed":162}},"ActiveTests":[{"Id":"c6c45f11-d867-54d7-e187-f658e3889cd9","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"41dfa532d910d19666a568e7dfbab3602b750468"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Open_Close_Sequence"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"eac6ed5f-a764-b594-7156-ec0b3edbb115","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"33a283c05b25d1d481efa6bb6ad7daa9d402f033"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_BeginTransaction_WithIsolationLevel"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.319, 368940132228822, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.319, 368940132436442, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.319, 368940132463362, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.319, 368940132474894, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.319, 368940132511212, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.319, 368940132523956, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.319, 368940132594549, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.319, 368940132701600, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.319, 368940132723721, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.319, 368940132772182, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.319, 368940132862712, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.319, 368940133032641, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.319, 368940133052849, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.319, 368940133086362, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.320, 368940133186681, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPooling.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.320, 368940133332414, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.320, 368940133374093, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.320, 368940133441710, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandText_SetterGetter.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.321, 368940134982844, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandText_SetterGetter.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.321, 368940135039671, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandText_SetterGetter execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.321, 368940135104212, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.322, 368940135235578, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPooling.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.322, 368940135272678, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPooling execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.322, 368940135334194, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.322, 368940135443890, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.322, 368940135463997, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow' in inProgress list.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.322, 368940135479336, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.322, 368940135902471, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"c6c45f11-d867-54d7-e187-f658e3889cd9","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"41dfa532d910d19666a568e7dfbab3602b750468"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Open_Close_Sequence"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013775","StartTime":"2026-02-08T20:24:20.3175719+00:00","EndTime":"2026-02-08T20:24:20.319264+00:00","Properties":[]},{"TestCase":{"Id":"040cc1d2-1f41-e0dd-c931-3d2c6300f25b","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1a6d9efab0941610a331d689946f315be5928727"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstAsync_WithPredicate_NoMatch_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0031792","StartTime":"2026-02-08T20:24:20.3163801+00:00","EndTime":"2026-02-08T20:24:20.3195503+00:00","Properties":[]},{"TestCase":{"Id":"eac6ed5f-a764-b594-7156-ec0b3edbb115","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"33a283c05b25d1d481efa6bb6ad7daa9d402f033"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_BeginTransaction_WithIsolationLevel"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012066","StartTime":"2026-02-08T20:24:20.3191849+00:00","EndTime":"2026-02-08T20:24:20.3198764+00:00","Properties":[]},{"TestCase":{"Id":"48022f34-71cc-b452-3e3b-31b88496c272","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"43947f059fb1e4813b3511cf17a7ee502567bb3c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_MetaDataCollections"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015064","StartTime":"2026-02-08T20:24:20.3195063+00:00","EndTime":"2026-02-08T20:24:20.3201772+00:00","Properties":[]},{"TestCase":{"Id":"f8cbb562-b631-8700-75d1-5f3297538f1a","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandText_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandText_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"48e21a8d830f16cebd45399b04a95301261b766e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_CommandText_SetterGetter"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandText_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003094","StartTime":"2026-02-08T20:24:20.3203538+00:00","EndTime":"2026-02-08T20:24:20.3204459+00:00","Properties":[]},{"TestCase":{"Id":"449231c9-aa69-f875-f6c5-33965374605d","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPooling","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPooling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"357e3b7fc0e9f68eef7de0a09562349885254ca1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Constructor_WithPooling"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPooling","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008763","StartTime":"2026-02-08T20:24:20.3201094+00:00","EndTime":"2026-02-08T20:24:20.3220839+00:00","Properties":[]},{"TestCase":{"Id":"10e5bc79-5d68-4750-e50b-724e5259bb6d","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow","DisplayName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4697b20a0051a06d0bf83fb3fe3f0c5f0186aef1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpsertAsync_UpdatesExistingRow"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0070626","StartTime":"2026-02-08T20:24:20.313286+00:00","EndTime":"2026-02-08T20:24:20.3222949+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":169,"Stats":{"Passed":169}},"ActiveTests":[{"Id":"7fa7d1d0-5091-1621-48d7-43952673159d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"248b8a74850893e4c754c92d462eda34cab9531e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAsync_NonExistentEntity_DoesNotThrow"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"0ca8ff7c-1ed4-8225-9513-62da9550f32c","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5b5364e73a53369832fd3e0aa2a3e50b39e8b9dc"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Columns_AllTables"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"d9f7d34c-3d72-a948-d612-843585768016","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"39311202976a94e2ec3f1bfa68518e744bca0ed3"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_ToList_ToArray"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.322, 368940136000545, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.322, 368940136040410, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.322, 368940136054697, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.322, 368940136114158, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.323, 368940136251837, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.323, 368940136273498, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.323, 368940136303224, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.323, 368940136363978, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.323, 368940136516464, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.323, 368940136547542, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.323, 368940136579232, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.323, 368940136640617, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.323, 368940136754331, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.323, 368940136775831, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.323, 368940136803994, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.323, 368940136865730, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.323, 368940136977309, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.323, 368940136997788, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.323, 368940137027243, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.323, 368940137085743, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.324, 368940137194387, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.324, 368940137230986, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.324, 368940137290988, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.324, 368940137309232, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.324, 368940137701158, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"0ca8ff7c-1ed4-8225-9513-62da9550f32c","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5b5364e73a53369832fd3e0aa2a3e50b39e8b9dc"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Columns_AllTables"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009915","StartTime":"2026-02-08T20:24:20.3220179+00:00","EndTime":"2026-02-08T20:24:20.3231002+00:00","Properties":[]},{"TestCase":{"Id":"7f94d702-502a-dc0e-b9be-2eb64eb06ef9","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1848fc4d05de6ae27395ea35791ab847aecd172d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAsync_With_Null_NonNullable_Property_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0097819","StartTime":"2026-02-08T20:24:20.311403+00:00","EndTime":"2026-02-08T20:24:20.3233662+00:00","Properties":[]},{"TestCase":{"Id":"13084293-ca92-f864-ea8c-7b9cb3f67d7e","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder","DisplayName":"DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2199a4e589b4a7eeb2e74f21bd026a28e61b6ae4"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamAsync_YieldsRowsInOrder"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0628203","StartTime":"2026-02-08T20:24:20.213747+00:00","EndTime":"2026-02-08T20:24:20.3236018+00:00","Properties":[]},{"TestCase":{"Id":"7fa7d1d0-5091-1621-48d7-43952673159d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"248b8a74850893e4c754c92d462eda34cab9531e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAsync_NonExistentEntity_DoesNotThrow"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0031679","StartTime":"2026-02-08T20:24:20.3197766+00:00","EndTime":"2026-02-08T20:24:20.3238271+00:00","Properties":[]},{"TestCase":{"Id":"749a21fd-fb62-ab60-41c5-15b0461be619","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"637f7b2313bad6b3fc4b9cf65ddd1b98b8a13f73"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Checkpoint_WhenOpen"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004958","StartTime":"2026-02-08T20:24:20.3232858+00:00","EndTime":"2026-02-08T20:24:20.3240457+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":174,"Stats":{"Passed":174}},"ActiveTests":[{"Id":"63992858-5261-6c0e-560c-34c29fb0bc7d","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows","DisplayName":"DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"505a37bce26e80a82531e65667dc6b2968596273"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExecuteScalarAsync_CountRows"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"e86a5a7e-be26-d71e-ca66-dc9fa971344e","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"22f60a33cb3725e3bb30e5fd0f8bc05f8ab10b7c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Take_With_Negative_Value_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"a7d98029-9fc1-0054-328f-9ef5f8172fa9","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations","DisplayName":"DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"29e997b6e6753e8fd3bd7e724e9a800ec0e94250"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AnySingleAndBulkOperations"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"7cb768f7-4eb9-6319-2925-8b893342f480","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"257b5bdd1beb49ef473dd1b9733a6673094d2e73"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_Contains"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"dc17ea78-8f1d-e069-bafd-eeddbc603218","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"64876638e985f8dca568ac831531a898f7d824e4"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ConstructorWithConnectionAndCommandText"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.324, 368940137769647, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.324, 368940137936480, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.324, 368940137955776, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.324, 368940137967028, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.324, 368940137997214, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.324, 368940138009748, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.324, 368940138090650, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Cancel_WhenNotExecuting.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.325, 368940138157736, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.325, 368940138178134, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.325, 368940138208000, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.325, 368940138311705, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.325, 368940138447720, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Cancel_WhenNotExecuting.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.325, 368940138484870, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Cancel_WhenNotExecuting execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.325, 368940138544572, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithDifferentDataSourceKeys.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.325, 368940138665319, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.325, 368940138684835, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.325, 368940138719530, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.325, 368940138779784, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.325, 368940138887526, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithDifferentDataSourceKeys.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.325, 368940138924666, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithDifferentDataSourceKeys execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.325, 368940138983746, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.325, 368940139114762, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.326, 368940139135672, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.326, 368940139164035, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.326, 368940139225741, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.326, 368940139243634, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.326, 368940139636702, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"dc17ea78-8f1d-e069-bafd-eeddbc603218","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"64876638e985f8dca568ac831531a898f7d824e4"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ConstructorWithConnectionAndCommandText"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003807","StartTime":"2026-02-08T20:24:20.3246831+00:00","EndTime":"2026-02-08T20:24:20.3247858+00:00","Properties":[]},{"TestCase":{"Id":"e86a5a7e-be26-d71e-ca66-dc9fa971344e","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"22f60a33cb3725e3bb30e5fd0f8bc05f8ab10b7c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Take_With_Negative_Value_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007984","StartTime":"2026-02-08T20:24:20.3235501+00:00","EndTime":"2026-02-08T20:24:20.3250042+00:00","Properties":[]},{"TestCase":{"Id":"9c5dad59-6432-d2b9-a886-ded817aa03ea","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Cancel_WhenNotExecuting","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Cancel_WhenNotExecuting","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"67e7d044cc9d9d668b8fdf77c58efe215fedbb06"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_Cancel_WhenNotExecuting"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Cancel_WhenNotExecuting","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002275","StartTime":"2026-02-08T20:24:20.3251511+00:00","EndTime":"2026-02-08T20:24:20.3252978+00:00","Properties":[]},{"TestCase":{"Id":"d9f7d34c-3d72-a948-d612-843585768016","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"39311202976a94e2ec3f1bfa68518e744bca0ed3"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_ToList_ToArray"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020669","StartTime":"2026-02-08T20:24:20.3222421+00:00","EndTime":"2026-02-08T20:24:20.3255161+00:00","Properties":[]},{"TestCase":{"Id":"71501ace-cfc7-08a7-98d3-367f93b37453","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithDifferentDataSourceKeys","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithDifferentDataSourceKeys","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"71e1921b99e638cbdb5624cb7409b4339ddd2eda"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ParseConnectionString_WithDifferentDataSourceKeys"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithDifferentDataSourceKeys","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002273","StartTime":"2026-02-08T20:24:20.3254528+00:00","EndTime":"2026-02-08T20:24:20.3257385+00:00","Properties":[]},{"TestCase":{"Id":"63992858-5261-6c0e-560c-34c29fb0bc7d","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows","DisplayName":"DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"505a37bce26e80a82531e65667dc6b2968596273"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExecuteScalarAsync_CountRows"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0028818","StartTime":"2026-02-08T20:24:20.3230236+00:00","EndTime":"2026-02-08T20:24:20.3259665+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":180,"Stats":{"Passed":180}},"ActiveTests":[{"Id":"0205796d-c5e4-62ca-502c-04c0a1ca433f","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2e11eaa8bcfc28a720c71abeb8f3c3b4020a0cb7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_No_Matches"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"353423a5-289b-b55c-1903-053350e84aee","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3caa4f6a1b92959dec412862dcbbb40394689f5b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Count_LongCount"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"127b4121-0a93-5def-4433-b5a9b7d557f6","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"79552ed3312888e74ecc4afd6fba42b01ce484d7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameter_Properties"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"871378ad-ad80-45f4-ffae-4b44e13b53bf","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"517bc39142d51fe3765f9cad64b5224839983b3b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertOrIgnoreAsync_InsertsNewRow"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.326, 368940139712485, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.326, 368940139857397, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.326, 368940139880771, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.326, 368940139892122, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.326, 368940139921818, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.326, 368940139935043, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.326, 368940139992701, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.326, 368940140115031, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DapperIntegrationTests.TestDapperAsync.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.327, 368940140135339, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DapperIntegrationTests.TestDapperAsync' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.327, 368940140165726, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DapperIntegrationTests.TestDapperAsync execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.327, 368940140225879, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DapperIntegrationTests.TestDapperExecute.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.327, 368940140335164, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.327, 368940140354741, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.327, 368940140383475, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.327, 368940140442606, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Single.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.327, 368940140574684, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.327, 368940140595092, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.327, 368940140622714, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.327, 368940140682116, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.327, 368940140802682, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.327, 368940140828030, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.327, 368940140857074, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.327, 368940140918339, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.327, 368940140936754, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.328, 368940141313151, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"0205796d-c5e4-62ca-502c-04c0a1ca433f","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2e11eaa8bcfc28a720c71abeb8f3c3b4020a0cb7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_No_Matches"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024763","StartTime":"2026-02-08T20:24:20.3252361+00:00","EndTime":"2026-02-08T20:24:20.3267064+00:00","Properties":[]},{"TestCase":{"Id":"76f5d7ad-3f72-3483-57fe-4356c31211fe","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperAsync","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1f20a463a21014e1a1ae4626361cf8cff8136c20"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperAsync"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperAsync","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0279071","StartTime":"2026-02-08T20:24:20.295607+00:00","EndTime":"2026-02-08T20:24:20.3269661+00:00","Properties":[]},{"TestCase":{"Id":"353423a5-289b-b55c-1903-053350e84aee","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3caa4f6a1b92959dec412862dcbbb40394689f5b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Count_LongCount"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026865","StartTime":"2026-02-08T20:24:20.3256877+00:00","EndTime":"2026-02-08T20:24:20.3271864+00:00","Properties":[]},{"TestCase":{"Id":"127b4121-0a93-5def-4433-b5a9b7d557f6","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"79552ed3312888e74ecc4afd6fba42b01ce484d7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameter_Properties"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0033298","StartTime":"2026-02-08T20:24:20.3258922+00:00","EndTime":"2026-02-08T20:24:20.3274256+00:00","Properties":[]},{"TestCase":{"Id":"7cb768f7-4eb9-6319-2925-8b893342f480","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"257b5bdd1beb49ef473dd1b9733a6673094d2e73"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_Contains"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0047533","StartTime":"2026-02-08T20:24:20.3239943+00:00","EndTime":"2026-02-08T20:24:20.3276535+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":185,"Stats":{"Passed":185}},"ActiveTests":[{"Id":"b0adbbb1-1575-bb7c-d715-54a9d9d6a016","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3c30945ebdcf18e57144b8aae8b7639a5bc57bfd"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SingleAsync_With_No_Results_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"202b3fa6-879e-e3e1-a9e5-b102e4eb4ce3","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperExecute","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperExecute","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"380c5e06499d006fa1c74746311f9a967463b7e7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperExecute"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},{"Id":"255e77c9-cfe9-6167-4713-b3907ef89a8c","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Single","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Single","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"43a47396cfbdda53f18ffd3d70f81c74314528eb"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Single"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"c23e5121-9f0f-79aa-7a53-8d587445ce39","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"79d380cfc3057b7cf0af9e1f4c16ab5c0814b7f7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DefaultConstructor_CreatesInstance"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"6b396488-7d58-63f0-5e5e-02730d562b02","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"267811a7d648d0b625e510bf5a8cb280a47afaad"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_ChainedMultiple_ImpliesAnd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.328, 368940141382321, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.328, 368940141513898, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.328, 368940141534657, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.328, 368940141545758, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.328, 368940141575313, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.328, 368940141588408, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.328, 368940141645485, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.328, 368940141777282, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Single.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.328, 368940141797290, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_Single' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.328, 368940141825433, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Single execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.328, 368940141918387, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.328, 368940141938315, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.328, 368940141965426, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.328, 368940141999329, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.328, 368940142058921, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.329, 368940142210536, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.329, 368940142230644, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.329, 368940142259889, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.329, 368940142319681, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.329, 368940142464884, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.329, 368940142485312, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.329, 368940142515208, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.329, 368940142575131, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.329, 368940142593595, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.329, 368940142982576, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"871378ad-ad80-45f4-ffae-4b44e13b53bf","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"517bc39142d51fe3765f9cad64b5224839983b3b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertOrIgnoreAsync_InsertsNewRow"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0035051","StartTime":"2026-02-08T20:24:20.3266251+00:00","EndTime":"2026-02-08T20:24:20.3283629+00:00","Properties":[]},{"TestCase":{"Id":"255e77c9-cfe9-6167-4713-b3907ef89a8c","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Single","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Single","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"43a47396cfbdda53f18ffd3d70f81c74314528eb"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Single"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Single","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0022940","StartTime":"2026-02-08T20:24:20.3273507+00:00","EndTime":"2026-02-08T20:24:20.3286283+00:00","Properties":[]},{"TestCase":{"Id":"b0adbbb1-1575-bb7c-d715-54a9d9d6a016","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3c30945ebdcf18e57144b8aae8b7639a5bc57bfd"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SingleAsync_With_No_Results_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0028758","StartTime":"2026-02-08T20:24:20.3269007+00:00","EndTime":"2026-02-08T20:24:20.3287579+00:00","Properties":[]},{"TestCase":{"Id":"a7d98029-9fc1-0054-328f-9ef5f8172fa9","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations","DisplayName":"DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"29e997b6e6753e8fd3bd7e724e9a800ec0e94250"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AnySingleAndBulkOperations"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0064516","StartTime":"2026-02-08T20:24:20.3237878+00:00","EndTime":"2026-02-08T20:24:20.3290611+00:00","Properties":[]},{"TestCase":{"Id":"c23e5121-9f0f-79aa-7a53-8d587445ce39","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"79d380cfc3057b7cf0af9e1f4c16ab5c0814b7f7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DefaultConstructor_CreatesInstance"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024524","StartTime":"2026-02-08T20:24:20.3275903+00:00","EndTime":"2026-02-08T20:24:20.3293163+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":190,"Stats":{"Passed":190}},"ActiveTests":[{"Id":"fce272fd-1d0d-43a4-7745-79d67ec92fb7","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert","DisplayName":"DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"51b64663ed1ccbc469d75db4efa6da9d69bcd513"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExecuteNonQueryAsync_CreateAndInsert"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"96e53a34-83f6-258b-9197-27be0603ad87","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5100cd758a7f97970619f8c73dc030d5b3bd9920"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_StreamAsync"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"1d976069-fdac-995c-d17e-60542f3143dc","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"41f66c31133365c0102e4caf9575ae8c42a41787"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_With_Null_NonNullable_Property_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"2c74f57b-e388-3a92-cd24-dfc5c9cfa82a","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability","DisplayName":"DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3474f837d593665bd0856c011701b1297e606b4e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AttributesControlMappingAndNullability"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"de249baf-1c1b-075f-27fa-69f520c87de1","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"846353127128b1fe257eb07cb39d15e570f5264d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteScalar_WhenConnectionIsNull"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.329, 368940143059230, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.330, 368940143202098, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.330, 368940143229129, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.330, 368940143240430, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.330, 368940143270657, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.330, 368940143284814, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.330, 368940143343203, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.330, 368940143463780, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.330, 368940143484158, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.330, 368940143513834, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.330, 368940143577764, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithVariousOptions.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.330, 368940143701666, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.330, 368940143721163, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.330, 368940143750258, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.330, 368940143809138, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.330, 368940143917372, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithVariousOptions.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.330, 368940143953560, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithVariousOptions execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.330, 368940144016758, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Prepare_WhenConnectionClosed_Throws.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.331, 368940144149187, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Prepare_WhenConnectionClosed_Throws.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.331, 368940144184794, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Prepare_WhenConnectionClosed_Throws execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.331, 368940144245748, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.331, 368940144365323, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.331, 368940144387014, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.331, 368940144415517, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.331, 368940144475730, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.331, 368940144493023, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.331, 368940144899987, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"fce272fd-1d0d-43a4-7745-79d67ec92fb7","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert","DisplayName":"DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"51b64663ed1ccbc469d75db4efa6da9d69bcd513"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExecuteNonQueryAsync_CreateAndInsert"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012757","StartTime":"2026-02-08T20:24:20.3285527+00:00","EndTime":"2026-02-08T20:24:20.3300501+00:00","Properties":[]},{"TestCase":{"Id":"de249baf-1c1b-075f-27fa-69f520c87de1","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"846353127128b1fe257eb07cb39d15e570f5264d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteScalar_WhenConnectionIsNull"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002851","StartTime":"2026-02-08T20:24:20.3299728+00:00","EndTime":"2026-02-08T20:24:20.330315+00:00","Properties":[]},{"TestCase":{"Id":"6b396488-7d58-63f0-5e5e-02730d562b02","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"267811a7d648d0b625e510bf5a8cb280a47afaad"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_ChainedMultiple_ImpliesAnd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0027108","StartTime":"2026-02-08T20:24:20.3282953+00:00","EndTime":"2026-02-08T20:24:20.3305524+00:00","Properties":[]},{"TestCase":{"Id":"c3aa77a6-e3c5-b67f-2d9e-b076a8c5e48a","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithVariousOptions","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithVariousOptions","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8d2449e4a77be5eb59e4d64828dc05ef0be03591"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ParseConnectionString_WithVariousOptions"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithVariousOptions","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006185","StartTime":"2026-02-08T20:24:20.330488+00:00","EndTime":"2026-02-08T20:24:20.3307682+00:00","Properties":[]},{"TestCase":{"Id":"f8a70e9a-f5e8-0502-cc95-c15408de5a92","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Prepare_WhenConnectionClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Prepare_WhenConnectionClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8fe5a1e765e5cca73e946ac8f293adb3dd290826"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_Prepare_WhenConnectionClosed_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Prepare_WhenConnectionClosed_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004455","StartTime":"2026-02-08T20:24:20.330927+00:00","EndTime":"2026-02-08T20:24:20.3310009+00:00","Properties":[]},{"TestCase":{"Id":"1d976069-fdac-995c-d17e-60542f3143dc","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"41f66c31133365c0102e4caf9575ae8c42a41787"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_With_Null_NonNullable_Property_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023888","StartTime":"2026-02-08T20:24:20.3289976+00:00","EndTime":"2026-02-08T20:24:20.3312171+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":196,"Stats":{"Passed":196}},"ActiveTests":[{"Id":"2910b266-23bd-b55c-bde1-4cecadbbb096","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5ac5c1eecffde05c1d125a934ecb7af2096e3891"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_AutoIncrement_ReadBack"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"17bd2927-df11-f139-2cc0-9065a68b6fe1","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26e3ec7e09a9c7a32ddac1188d57ce29a8a61ead"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OrderBy_Skip_Take_Pagination"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"acdabade-63bd-d423-ce8e-c8a39761690f","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"90254d903d72a223bceab32878756d35290bd635"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_WhenClosed_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"dfc888a5-81a7-123d-d01e-f2b5f4f8d3a6","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6d264247fbe2a485db95fc085032c5ebd34a1859"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_Empty_Collection"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.331, 368940144983514, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.332, 368940145159234, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.332, 368940145190633, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.332, 368940145205230, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.332, 368940145243773, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.332, 368940145263009, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.332, 368940145427748, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.332, 368940145460159, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.332, 368940145470909, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.332, 368940145503060, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.332, 368940145515623, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.332, 368940145575726, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Dispose_MultipleTimes.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.332, 368940145621642, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.332, 368940145780040, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Dispose_MultipleTimes.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.332, 368940145815927, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Dispose_MultipleTimes execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.332, 368940145875379, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandTimeout_SetterGetter.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.332, 368940146007888, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandTimeout_SetterGetter.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.332, 368940146042432, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandTimeout_SetterGetter execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.332, 368940146101574, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.333, 368940146219755, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.333, 368940146261905, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.333, 368940146329702, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.333, 368940146489773, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.333, 368940146519378, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.333, 368940146551428, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.333, 368940146611251, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.333, 368940146733550, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.333, 368940146751724, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection' in inProgress list.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.333, 368940146764118, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.334, 368940147219372, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"acdabade-63bd-d423-ce8e-c8a39761690f","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"90254d903d72a223bceab32878756d35290bd635"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_WhenClosed_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002700","StartTime":"2026-02-08T20:24:20.3311665+00:00","EndTime":"2026-02-08T20:24:20.3319902+00:00","Properties":[]},{"TestCase":{"Id":"96e53a34-83f6-258b-9197-27be0603ad87","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5100cd758a7f97970619f8c73dc030d5b3bd9920"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_StreamAsync"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026469","StartTime":"2026-02-08T20:24:20.328967+00:00","EndTime":"2026-02-08T20:24:20.3321729+00:00","Properties":[]},{"TestCase":{"Id":"92c22614-496a-e1ed-13a6-e6ddafe2b781","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Dispose_MultipleTimes","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Dispose_MultipleTimes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"99c0970c49e51a00523cb6c3d514366d369df92b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBTransaction_Dispose_MultipleTimes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Dispose_MultipleTimes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004975","StartTime":"2026-02-08T20:24:20.3325307+00:00","EndTime":"2026-02-08T20:24:20.3326289+00:00","Properties":[]},{"TestCase":{"Id":"50eda72f-28b0-47a5-2c1f-4ff84e335a5b","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandTimeout_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandTimeout_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a5b2aa7740427efd37a961579dff9c3e0f87f614"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_CommandTimeout_SetterGetter"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandTimeout_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003757","StartTime":"2026-02-08T20:24:20.3327836+00:00","EndTime":"2026-02-08T20:24:20.3328583+00:00","Properties":[]},{"TestCase":{"Id":"5162fc82-33f7-2854-4eba-6e2c7a21c29d","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ad7f74e6c5a9747b2f0615f56d3e0bfd2bfc4a5f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002495","StartTime":"2026-02-08T20:24:20.3330084+00:00","EndTime":"2026-02-08T20:24:20.3330715+00:00","Properties":[]},{"TestCase":{"Id":"2910b266-23bd-b55c-bde1-4cecadbbb096","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5ac5c1eecffde05c1d125a934ecb7af2096e3891"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_AutoIncrement_ReadBack"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0031679","StartTime":"2026-02-08T20:24:20.3302518+00:00","EndTime":"2026-02-08T20:24:20.3333036+00:00","Properties":[]},{"TestCase":{"Id":"dfc888a5-81a7-123d-d01e-f2b5f4f8d3a6","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6d264247fbe2a485db95fc085032c5ebd34a1859"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_Empty_Collection"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020798","StartTime":"2026-02-08T20:24:20.3319007+00:00","EndTime":"2026-02-08T20:24:20.3335837+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":203,"Stats":{"Passed":203}},"ActiveTests":[{"Id":"ad072b42-fb5f-353d-c214-af344ef37d71","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"511089058d2d18ea63e272238d8e72c49fdeb86b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_InTransaction"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"72452ed7-e382-d807-cbd0-41deec5d9cd8","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"adf4df43ad99566406b28a6f9e4be1c55286516b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteScalarAsync"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"8c42a703-55ba-0646-e89b-fdb8cc430975","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn","DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5c9d0321256d40098b1715d5a834ee79bd2518ad"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectAsync_ProjectsSingleColumn"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.334, 368940147314441, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.334, 368940147357792, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.334, 368940147372460, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.334, 368940147433665, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.334, 368940147563939, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.334, 368940147584999, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.334, 368940147614234, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.334, 368940147678024, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_IsolationLevels.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.334, 368940147826903, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.334, 368940147848864, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.334, 368940147886255, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.334, 368940147974290, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.334, 368940147996311, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.334, 368940148039041, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.334, 368940148112509, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.335, 368940148147946, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.ListTablesJson_ReturnsCreatedTable.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.335, 368940148284773, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_IsolationLevels.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.335, 368940148321251, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_IsolationLevels execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.335, 368940148381174, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.335, 368940148530594, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.ListTablesJson_ReturnsCreatedTable.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.335, 368940148566792, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.ListTablesJson_ReturnsCreatedTable execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.335, 368940148627156, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.335, 368940148744977, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.335, 368940148765024, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability' in inProgress list.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.335, 368940148778650, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.336, 368940149189241, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"72452ed7-e382-d807-cbd0-41deec5d9cd8","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"adf4df43ad99566406b28a6f9e4be1c55286516b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteScalarAsync"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008596","StartTime":"2026-02-08T20:24:20.3332392+00:00","EndTime":"2026-02-08T20:24:20.3344105+00:00","Properties":[]},{"TestCase":{"Id":"ad072b42-fb5f-353d-c214-af344ef37d71","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"511089058d2d18ea63e272238d8e72c49fdeb86b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_InTransaction"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024594","StartTime":"2026-02-08T20:24:20.3325655+00:00","EndTime":"2026-02-08T20:24:20.3346684+00:00","Properties":[]},{"TestCase":{"Id":"17bd2927-df11-f139-2cc0-9065a68b6fe1","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26e3ec7e09a9c7a32ddac1188d57ce29a8a61ead"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OrderBy_Skip_Take_Pagination"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0037495","StartTime":"2026-02-08T20:24:20.3307173+00:00","EndTime":"2026-02-08T20:24:20.334819+00:00","Properties":[]},{"TestCase":{"Id":"2b8c0cce-0109-cf7b-69dc-f1558539e483","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_IsolationLevels","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_IsolationLevels","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ae0fd356371d513c6b5156cd1f56db26a7ef8690"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_BeginTransaction_IsolationLevels"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_IsolationLevels","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007265","StartTime":"2026-02-08T20:24:20.3345864+00:00","EndTime":"2026-02-08T20:24:20.3351353+00:00","Properties":[]},{"TestCase":{"Id":"5eec466a-3967-59f1-232a-f22b7d672435","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.ListTablesJson_ReturnsCreatedTable","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ListTablesJson_ReturnsCreatedTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"309742e38c212223ee69c1f5a431821ea195fac1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ListTablesJson_ReturnsCreatedTable"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ListTablesJson_ReturnsCreatedTable","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009428","StartTime":"2026-02-08T20:24:20.3350541+00:00","EndTime":"2026-02-08T20:24:20.3353816+00:00","Properties":[]},{"TestCase":{"Id":"2c74f57b-e388-3a92-cd24-dfc5c9cfa82a","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability","DisplayName":"DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3474f837d593665bd0856c011701b1297e606b4e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AttributesControlMappingAndNullability"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0059760","StartTime":"2026-02-08T20:24:20.3292282+00:00","EndTime":"2026-02-08T20:24:20.3355955+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":209,"Stats":{"Passed":209}},"ActiveTests":[{"Id":"9556e6c2-ec71-6662-fdc0-a381d277356e","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"94ff20cd3fbd233d96ba1a91e325d2a8f8df0f09"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_Single_Item"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"8d4b7e03-1719-df1f-668b-0856562e483d","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"51f6695aa765c18e4f4f22da021bebd989dba305"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Any_Exists"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"39692422-89f8-13a8-e1df-536c40f5aa09","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b63038428e4f991910fd6249e94d8caf942ac9aa"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameterCollection_UsageThroughCommand"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"c92a6d98-9528-dfc6-e998-4c21c5cabea2","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"34602bc3676259d4548bca32a88dcdd3aff982bc"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OrderByDescending_SortsByColumnDesc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.336, 368940149268239, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.336, 368940149307313, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.336, 368940149320908, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.336, 368940149383756, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.336, 368940149522036, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.336, 368940149546452, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.336, 368940149575226, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.336, 368940149635819, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.336, 368940149796151, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.336, 368940149827339, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.336, 368940149857496, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.336, 368940149919753, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.336, 368940150084662, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.337, 368940150127152, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.337, 368940150188237, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CreateParameter_CreatesInstance.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.337, 368940150307741, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CreateParameter_CreatesInstance.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.337, 368940150342677, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CreateParameter_CreatesInstance execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.337, 368940150402259, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandType_SetterGetter.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.337, 368940150520200, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandType_SetterGetter.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.337, 368940150556969, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandType_SetterGetter execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.337, 368940150616040, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.337, 368940150739071, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.337, 368940150758848, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.337, 368940150793564, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.337, 368940150854428, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.337, 368940150871380, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.338, 368940151276210, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"39692422-89f8-13a8-e1df-536c40f5aa09","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b63038428e4f991910fd6249e94d8caf942ac9aa"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameterCollection_UsageThroughCommand"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012342","StartTime":"2026-02-08T20:24:20.3352949+00:00","EndTime":"2026-02-08T20:24:20.3363709+00:00","Properties":[]},{"TestCase":{"Id":"9556e6c2-ec71-6662-fdc0-a381d277356e","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"94ff20cd3fbd233d96ba1a91e325d2a8f8df0f09"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_Single_Item"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0029017","StartTime":"2026-02-08T20:24:20.3343437+00:00","EndTime":"2026-02-08T20:24:20.336622+00:00","Properties":[]},{"TestCase":{"Id":"59fd77a7-f77d-3d3b-b37e-6b764c177a7d","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bed5e93d569c198683ee6ba89fc9be8d70ca1b18"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ChangeDatabase_NotSupported"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011028","StartTime":"2026-02-08T20:24:20.3365439+00:00","EndTime":"2026-02-08T20:24:20.3369267+00:00","Properties":[]},{"TestCase":{"Id":"eaa01d9b-65d0-c947-106a-5e99f781bcdc","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CreateParameter_CreatesInstance","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CreateParameter_CreatesInstance","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c3ca7e6c9e221193283a27c637a58d43c57fa1e8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_CreateParameter_CreatesInstance"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CreateParameter_CreatesInstance","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001595","StartTime":"2026-02-08T20:24:20.3370966+00:00","EndTime":"2026-02-08T20:24:20.337159+00:00","Properties":[]},{"TestCase":{"Id":"62957b7d-4109-ad30-6619-e3fd16a75633","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandType_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandType_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c43b09d60c8a9bf3bc3c97c1648094919c474495"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_CommandType_SetterGetter"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandType_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006443","StartTime":"2026-02-08T20:24:20.33731+00:00","EndTime":"2026-02-08T20:24:20.3373724+00:00","Properties":[]},{"TestCase":{"Id":"8d4b7e03-1719-df1f-668b-0856562e483d","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"51f6695aa765c18e4f4f22da021bebd989dba305"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Any_Exists"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0037820","StartTime":"2026-02-08T20:24:20.3350852+00:00","EndTime":"2026-02-08T20:24:20.3375898+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":215,"Stats":{"Passed":215}},"ActiveTests":[{"Id":"71245ccd-2f41-6c65-b4c8-f663ca9c1e70","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip","DisplayName":"DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"44feb4323438dc0d31a1c1349c38cf61aa003111"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertQueryUpdateDelete_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"0837e8d7-981e-fe99-2e5b-58c33fcce9d7","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"aedfe8363696a1a88154cb81968cac6d8ea67fef"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_Null_Predicate_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"5022e632-a994-6027-20a3-30a3d076d1ad","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d318c9f9321637877326f334eb4e48490aac7cee"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Database_Property"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"85e17a53-a6ea-6cd0-7446-467bffa03111","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5bbfc58ea703cb8ac1450c8feec8f4c75c8c6ced"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Constructor_WithConnectionString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.338, 368940151353485, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.338, 368940151472108, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.338, 368940151491214, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.338, 368940151501653, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.338, 368940151530788, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.338, 368940151543893, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.338, 368940151601050, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.338, 368940151721416, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.338, 368940151745582, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.338, 368940151775067, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.338, 368940151834098, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.338, 368940151966887, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.338, 368940151986594, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.338, 368940152015308, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.338, 368940152073047, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.339, 368940152182111, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.339, 368940152202830, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.339, 368940152231454, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.339, 368940152289824, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.339, 368940152399349, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.339, 368940152419267, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.339, 368940152449173, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.339, 368940152507873, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmTests.Views_CanBeMapped.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.339, 368940152526899, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.339, 368940152914327, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"5022e632-a994-6027-20a3-30a3d076d1ad","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d318c9f9321637877326f334eb4e48490aac7cee"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Database_Property"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002487","StartTime":"2026-02-08T20:24:20.3375238+00:00","EndTime":"2026-02-08T20:24:20.3383217+00:00","Properties":[]},{"TestCase":{"Id":"0837e8d7-981e-fe99-2e5b-58c33fcce9d7","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"aedfe8363696a1a88154cb81968cac6d8ea67fef"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_Null_Predicate_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017482","StartTime":"2026-02-08T20:24:20.3368424+00:00","EndTime":"2026-02-08T20:24:20.3385727+00:00","Properties":[]},{"TestCase":{"Id":"85e17a53-a6ea-6cd0-7446-467bffa03111","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5bbfc58ea703cb8ac1450c8feec8f4c75c8c6ced"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Constructor_WithConnectionString"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009341","StartTime":"2026-02-08T20:24:20.3382673+00:00","EndTime":"2026-02-08T20:24:20.3388184+00:00","Properties":[]},{"TestCase":{"Id":"c92a6d98-9528-dfc6-e998-4c21c5cabea2","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"34602bc3676259d4548bca32a88dcdd3aff982bc"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OrderByDescending_SortsByColumnDesc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0039043","StartTime":"2026-02-08T20:24:20.3355364+00:00","EndTime":"2026-02-08T20:24:20.3390337+00:00","Properties":[]},{"TestCase":{"Id":"71245ccd-2f41-6c65-b4c8-f663ca9c1e70","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip","DisplayName":"DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"44feb4323438dc0d31a1c1349c38cf61aa003111"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertQueryUpdateDelete_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0041557","StartTime":"2026-02-08T20:24:20.3362927+00:00","EndTime":"2026-02-08T20:24:20.3392504+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":220,"Stats":{"Passed":220}},"ActiveTests":[{"Id":"c74f5b64-9855-0061-7b89-801dd9286eff","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dc400e73e37fd480775b7b49260f94f0aa0e7602"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameter_Constructors"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"26f1fe6f-1383-3c20-4c0a-8924511180e8","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b4f7ef1ee433c0223f019d67ed17833ae92bbc82"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"544743ba-977d-ba36-b842-919312a74f42","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"63b03e28dd6a017b34040acef0322c05e6aa8db5"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Constructor_WithPath"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"27f53195-2828-22fc-0dba-9278a07e198a","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"42e35a74a88ec2b6f6b3bc7bdc6793fcb1ec8420"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteMany_EmptyTable_ReturnsZero"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"a29fcf39-e67b-f406-be6e-28902fe5a60b","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.Views_CanBeMapped","DisplayName":"DecentDB.Tests.MicroOrmTests.Views_CanBeMapped","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"74674842c8be44e6dde93a9ce94cbb0008c3f720"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Views_CanBeMapped"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.339, 368940152985129, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.340, 368940153184975, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.340, 368940153222816, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.340, 368940153234768, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.340, 368940153264113, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.340, 368940153279152, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.340, 368940153339605, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithInvalidPath_Throws.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.340, 368940153472885, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithInvalidPath_Throws.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.340, 368940153509845, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithInvalidPath_Throws execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.340, 368940153522238, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.340, 368940153579746, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.340, 368940153687288, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.340, 368940153708418, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.340, 368940153736491, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.340, 368940153802575, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.340, 368940153921698, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.340, 368940153942598, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.340, 368940153971482, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.340, 368940154030763, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.FirstOrDefault_EmptyTable_ReturnsNull.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.341, 368940154163793, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.341, 368940154184642, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.341, 368940154213597, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.341, 368940154272597, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.341, 368940154405798, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.FirstOrDefault_EmptyTable_ReturnsNull.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.341, 368940154440793, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.FirstOrDefault_EmptyTable_ReturnsNull execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.341, 368940154501016, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.341, 368940154517768, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.341, 368940154957564, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"544743ba-977d-ba36-b842-919312a74f42","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"63b03e28dd6a017b34040acef0322c05e6aa8db5"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Constructor_WithPath"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006602","StartTime":"2026-02-08T20:24:20.3389812+00:00","EndTime":"2026-02-08T20:24:20.339977+00:00","Properties":[]},{"TestCase":{"Id":"19748034-6bf6-1395-dbd2-6ae23a14a320","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithInvalidPath_Throws","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithInvalidPath_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6bd3e5c33993a1f66ab1fb3f097802e928548d51"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Constructor_WithInvalidPath_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithInvalidPath_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010584","StartTime":"2026-02-08T20:24:20.3402485+00:00","EndTime":"2026-02-08T20:24:20.3403236+00:00","Properties":[]},{"TestCase":{"Id":"26f1fe6f-1383-3c20-4c0a-8924511180e8","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b4f7ef1ee433c0223f019d67ed17833ae92bbc82"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026059","StartTime":"2026-02-08T20:24:20.338744+00:00","EndTime":"2026-02-08T20:24:20.3405389+00:00","Properties":[]},{"TestCase":{"Id":"27f53195-2828-22fc-0dba-9278a07e198a","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"42e35a74a88ec2b6f6b3bc7bdc6793fcb1ec8420"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteMany_EmptyTable_ReturnsZero"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020137","StartTime":"2026-02-08T20:24:20.3391988+00:00","EndTime":"2026-02-08T20:24:20.3407733+00:00","Properties":[]},{"TestCase":{"Id":"c74f5b64-9855-0061-7b89-801dd9286eff","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dc400e73e37fd480775b7b49260f94f0aa0e7602"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameter_Constructors"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0035768","StartTime":"2026-02-08T20:24:20.3385094+00:00","EndTime":"2026-02-08T20:24:20.3410146+00:00","Properties":[]},{"TestCase":{"Id":"f127d69d-cc05-f054-5b64-3b612b8adcf3","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstOrDefault_EmptyTable_ReturnsNull","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstOrDefault_EmptyTable_ReturnsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5549dccb444456e3240e8766fe6688ed1b468a1f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstOrDefault_EmptyTable_ReturnsNull"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstOrDefault_EmptyTable_ReturnsNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011455","StartTime":"2026-02-08T20:24:20.3409399+00:00","EndTime":"2026-02-08T20:24:20.341256+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":226,"Stats":{"Passed":226}},"ActiveTests":[{"Id":"b452bea4-f038-1586-e48d-75fb3c89c714","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"784563e96ece45259e00faddf4b0581c0fcfcb41"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_OrderBy_ThenBy"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"1141117d-230b-49dc-0830-a5d716b4be28","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d96057c31bf65fe77974b8c5e3958d376cc70df1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_With_Transaction"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"3f24a3c8-45d3-f30d-9663-de45eaa6a8df","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dd75aefd626560394b6d44f05cffbfdd704dde6c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DbTransaction_SetterGetter"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"c7dfac1f-9e49-c5ca-f226-f174574a251b","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5d3ee292ff8e47040b48d52117d49f3ea3fabefa"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_BooleanEquality"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.341, 368940155043776, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.342, 368940155156588, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.342, 368940155176465, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.342, 368940155188467, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.342, 368940155216911, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.342, 368940155231117, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.342, 368940155288555, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQueryAsync.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.342, 368940155410665, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.342, 368940155431834, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.342, 368940155460057, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.342, 368940155520481, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.342, 368940155652439, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQueryAsync.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.342, 368940155687865, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQueryAsync execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.342, 368940155745574, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Commit_ThenDispose.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.342, 368940155864878, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.342, 368940155884745, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.342, 368940155918378, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.342, 368940155978792, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.342, 368940156086674, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Commit_ThenDispose.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.342, 368940156122652, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Commit_ThenDispose execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.343, 368940156181542, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.343, 368940156298943, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.343, 368940156320133, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.343, 368940156348516, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.343, 368940156420902, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.343, 368940156438665, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.343, 368940156845519, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"3f24a3c8-45d3-f30d-9663-de45eaa6a8df","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dd75aefd626560394b6d44f05cffbfdd704dde6c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DbTransaction_SetterGetter"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006777","StartTime":"2026-02-08T20:24:20.3411814+00:00","EndTime":"2026-02-08T20:24:20.3419911+00:00","Properties":[]},{"TestCase":{"Id":"8c42a703-55ba-0646-e89b-fdb8cc430975","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn","DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5c9d0321256d40098b1715d5a834ee79bd2518ad"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectAsync_ProjectsSingleColumn"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0095097","StartTime":"2026-02-08T20:24:20.3335195+00:00","EndTime":"2026-02-08T20:24:20.3422613+00:00","Properties":[]},{"TestCase":{"Id":"70468a32-2f05-eb33-e307-499f98adf348","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQueryAsync","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQueryAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"de69f82e7486faa4cc6b7129ba649a75783d9c64"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteNonQueryAsync"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQueryAsync","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011317","StartTime":"2026-02-08T20:24:20.3421962+00:00","EndTime":"2026-02-08T20:24:20.3425039+00:00","Properties":[]},{"TestCase":{"Id":"b452bea4-f038-1586-e48d-75fb3c89c714","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"784563e96ece45259e00faddf4b0581c0fcfcb41"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_OrderBy_ThenBy"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0031262","StartTime":"2026-02-08T20:24:20.3404875+00:00","EndTime":"2026-02-08T20:24:20.3427164+00:00","Properties":[]},{"TestCase":{"Id":"23b36d5a-1ac9-83d0-5038-82c962e92b47","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Commit_ThenDispose","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Commit_ThenDispose","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e1c98cc6f89ea4d5e7c5366eae0233ea2bc5020d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBTransaction_Commit_ThenDispose"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Commit_ThenDispose","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005243","StartTime":"2026-02-08T20:24:20.3426532+00:00","EndTime":"2026-02-08T20:24:20.342938+00:00","Properties":[]},{"TestCase":{"Id":"c7dfac1f-9e49-c5ca-f226-f174574a251b","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5d3ee292ff8e47040b48d52117d49f3ea3fabefa"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_BooleanEquality"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019512","StartTime":"2026-02-08T20:24:20.3419757+00:00","EndTime":"2026-02-08T20:24:20.3431512+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":232,"Stats":{"Passed":232}},"ActiveTests":[{"Id":"03fe9151-fb5e-270f-aefb-cedb3a33fe40","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5f77c271f2f87a1dff6f870a891206cbca992dd1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_ExplicitId_StillWorks"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"9b42073d-10d4-9499-8190-cb6e4fed73d8","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"88187005ddfdc3727cb7aaecf67e2c6a06b28528"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_DeleteManyAsync_Entities"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"342f3946-8762-c4d4-f9a6-760dd93258cd","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e2347e9e352b16dc0702abe7dfc29662c3002334"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ConstructorWithConnection"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"b18dad66-03f2-4135-071a-4e1f3d2f9aec","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6bb6f4396a95870e8a61ef681aeb45b5917bdea1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertMany_InExplicitTransaction_Commit"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.343, 368940156911303, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.343, 368940156988678, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.343, 368940157006131, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.343, 368940157016460, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.343, 368940157046436, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.343, 368940157058910, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.344, 368940157149590, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_SetterGetter.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.344, 368940157279935, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_SetterGetter.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.344, 368940157316974, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_SetterGetter execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.344, 368940157330029, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.344, 368940157387206, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.344, 368940157519174, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.344, 368940157539352, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.344, 368940157567565, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.344, 368940157626125, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.Factory_CreateParameter.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.344, 368940157748384, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.Factory_CreateParameter.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.344, 368940157785664, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.Factory_CreateParameter execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.344, 368940157844545, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.344, 368940157975431, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.344, 368940158011518, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.344, 368940158070459, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ServerVersion_Property.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.345, 368940158182479, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.345, 368940158202377, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.345, 368940158231572, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.345, 368940158291424, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.345, 368940158410347, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ServerVersion_Property.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.345, 368940158444732, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ServerVersion_Property execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.345, 368940158571760, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmTests.Views_CanBeMapped.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.345, 368940158590646, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmTests.Views_CanBeMapped' in inProgress list.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.345, 368940158603099, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.345, 368940159015754, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"342f3946-8762-c4d4-f9a6-760dd93258cd","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e2347e9e352b16dc0702abe7dfc29662c3002334"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ConstructorWithConnection"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002111","StartTime":"2026-02-08T20:24:20.3430892+00:00","EndTime":"2026-02-08T20:24:20.3438376+00:00","Properties":[]},{"TestCase":{"Id":"96c9f895-63ea-ac27-6c3f-2f28cc51e825","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f0c75eb0acc79b3b76e7a9e3e0fb8420464fd267"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ConnectionString_SetterGetter"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002501","StartTime":"2026-02-08T20:24:20.3440576+00:00","EndTime":"2026-02-08T20:24:20.3441311+00:00","Properties":[]},{"TestCase":{"Id":"03fe9151-fb5e-270f-aefb-cedb3a33fe40","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5f77c271f2f87a1dff6f870a891206cbca992dd1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_ExplicitId_StillWorks"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0022801","StartTime":"2026-02-08T20:24:20.3424295+00:00","EndTime":"2026-02-08T20:24:20.3443699+00:00","Properties":[]},{"TestCase":{"Id":"598d70d3-1356-e4d3-b2ef-5f76df8abb73","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_CreateParameter","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateParameter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6883f57bcd0cc42ed54a69ba3c12222fdbe22e96"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_CreateParameter"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateParameter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003685","StartTime":"2026-02-08T20:24:20.3445342+00:00","EndTime":"2026-02-08T20:24:20.3445998+00:00","Properties":[]},{"TestCase":{"Id":"3b650059-f94b-572f-b30f-9b2c8e884fee","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f16297bd462c73f0ccd14986a25d8bd7d6602b9d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_UnsupportedCollection_Throws"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006971","StartTime":"2026-02-08T20:24:20.3442958+00:00","EndTime":"2026-02-08T20:24:20.3448271+00:00","Properties":[]},{"TestCase":{"Id":"1141117d-230b-49dc-0830-a5d716b4be28","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d96057c31bf65fe77974b8c5e3958d376cc70df1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_With_Transaction"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0045718","StartTime":"2026-02-08T20:24:20.340711+00:00","EndTime":"2026-02-08T20:24:20.3450344+00:00","Properties":[]},{"TestCase":{"Id":"a49487ba-8e85-e560-f3fa-3517575907e3","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ServerVersion_Property","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ServerVersion_Property","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fab42479d3630eb0bddf5d605a25aa6df2feacd8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ServerVersion_Property"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ServerVersion_Property","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003680","StartTime":"2026-02-08T20:24:20.3449831+00:00","EndTime":"2026-02-08T20:24:20.3452616+00:00","Properties":[]},{"TestCase":{"Id":"a29fcf39-e67b-f406-be6e-28902fe5a60b","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.Views_CanBeMapped","DisplayName":"DecentDB.Tests.MicroOrmTests.Views_CanBeMapped","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"74674842c8be44e6dde93a9ce94cbb0008c3f720"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Views_CanBeMapped"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.Views_CanBeMapped","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0065524","StartTime":"2026-02-08T20:24:20.3398983+00:00","EndTime":"2026-02-08T20:24:20.3454226+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":240,"Stats":{"Passed":240}},"ActiveTests":[{"Id":"8f0eacbb-8fa5-d943-a21f-5dda0a5a8cba","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8c1f3a41ce2874abf1fb7ade26d7a14b4f47ee4e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_DataSource"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"3d72b9f2-8007-f51d-9a97-c67ae7e323de","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dbcc8173419b2bd3c85f6706c55a12271538e144"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Transaction_Rollback_On_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.345, 368940159089673, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.346, 368940159129147, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmTests.Views_CanBeMapped execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.346, 368940159143083, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.346, 368940159235176, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.346, 368940159252759, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.346, 368940159263649, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.346, 368940159305608, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.346, 368940159319154, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.346, 368940159351945, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.346, 368940159442044, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.346, 368940159461170, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.346, 368940159490125, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.346, 368940159524189, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.346, 368940159615861, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.346, 368940159823180, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.346, 368940159850972, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.346, 368940159881109, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.346, 368940159942374, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.346, 368940160062179, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.346, 368940160108075, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.347, 368940160169009, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.347, 368940160279036, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.347, 368940160316286, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.347, 368940160389584, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.347, 368940160486285, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.347, 368940160506974, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception' in inProgress list.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.347, 368940160520560, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.347, 368940160920771, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"b18dad66-03f2-4135-071a-4e1f3d2f9aec","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6bb6f4396a95870e8a61ef681aeb45b5917bdea1"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertMany_InExplicitTransaction_Commit"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016065","StartTime":"2026-02-08T20:24:20.3439637+00:00","EndTime":"2026-02-08T20:24:20.3460704+00:00","Properties":[]},{"TestCase":{"Id":"8f0eacbb-8fa5-d943-a21f-5dda0a5a8cba","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8c1f3a41ce2874abf1fb7ade26d7a14b4f47ee4e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_DataSource"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006637","StartTime":"2026-02-08T20:24:20.3447526+00:00","EndTime":"2026-02-08T20:24:20.3462934+00:00","Properties":[]},{"TestCase":{"Id":"9b42073d-10d4-9499-8190-cb6e4fed73d8","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"88187005ddfdc3727cb7aaecf67e2c6a06b28528"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_DeleteManyAsync_Entities"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0029619","StartTime":"2026-02-08T20:24:20.3428874+00:00","EndTime":"2026-02-08T20:24:20.3466722+00:00","Properties":[]},{"TestCase":{"Id":"07348ac8-1669-6647-569a-cd1c68ffef57","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"98fe09b808ceadad21795db1b9ff000efd430759"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Set_GenericMethod"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009119","StartTime":"2026-02-08T20:24:20.3468507+00:00","EndTime":"2026-02-08T20:24:20.3469133+00:00","Properties":[]},{"TestCase":{"Id":"82a063ad-648b-0a8f-23df-aa21da3102a5","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"869b3dd0d7d7b7016747e02449afb2482e7ce4d7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_LessThanOrEqual"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020552","StartTime":"2026-02-08T20:24:20.3465252+00:00","EndTime":"2026-02-08T20:24:20.34713+00:00","Properties":[]},{"TestCase":{"Id":"3d72b9f2-8007-f51d-9a97-c67ae7e323de","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dbcc8173419b2bd3c85f6706c55a12271538e144"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Transaction_Rollback_On_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0025706","StartTime":"2026-02-08T20:24:20.3451992+00:00","EndTime":"2026-02-08T20:24:20.3473379+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":246,"Stats":{"Passed":246}},"ActiveTests":[{"Id":"2ff57458-8ad0-0ccc-ca6a-a72fc54aff4b","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax","DisplayName":"DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b397ad5be7c2d5c14490aa880a7f707c0ca85c30"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SupportsQueryableLinqSyntax"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"041e5553-38e8-e4b1-b12f-cb2c6eabc77f","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere","DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8d3999b19d7cfcd5d168127dd4b0de112078e6a2"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectAsync_WithWhere"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"d3f9d759-1a6a-1a54-dd04-6924545e7b63","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a134e7fa820a1aa28593a7c4ac9a5b73099b3406"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_InsertAsync_SingleEntity"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"5d7e3914-aa2d-1f03-6a5a-5337f5d27cdb","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8ad495a361d4490b3041428f672ec3c82141f806"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_NotEqual"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.347, 368940160991444, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.347, 368940161029936, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.347, 368940161043392, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.347, 368940161103244, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.348, 368940161256702, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.348, 368940161276509, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.348, 368940161307237, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.348, 368940161367701, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.Factory_CreateConnection.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.348, 368940161502133, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.348, 368940161524886, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.348, 368940161554241, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.348, 368940161625405, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.348, 368940161691048, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.Factory_CreateConnection.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.348, 368940161728037, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.Factory_CreateConnection execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.348, 368940161818137, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.348, 368940161951116, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DapperIntegrationTests.TestDapperExecute.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.348, 368940161971174, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DapperIntegrationTests.TestDapperExecute' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.348, 368940162008294, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DapperIntegrationTests.TestDapperExecute execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.348, 368940162075881, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DapperIntegrationTests.TestDapperQuery.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.349, 368940162234438, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.349, 368940162257391, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.350, 368940163872675, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.350, 368940164020372, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.350, 368940164052332, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.351, 368940164508068, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"041e5553-38e8-e4b1-b12f-cb2c6eabc77f","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere","DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8d3999b19d7cfcd5d168127dd4b0de112078e6a2"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectAsync_WithWhere"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0034143","StartTime":"2026-02-08T20:24:20.3465562+00:00","EndTime":"2026-02-08T20:24:20.348105+00:00","Properties":[]},{"TestCase":{"Id":"d3f9d759-1a6a-1a54-dd04-6924545e7b63","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a134e7fa820a1aa28593a7c4ac9a5b73099b3406"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_InsertAsync_SingleEntity"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017312","StartTime":"2026-02-08T20:24:20.3470787+00:00","EndTime":"2026-02-08T20:24:20.3483524+00:00","Properties":[]},{"TestCase":{"Id":"ab5b636d-61e6-f896-f42c-ff768ba76c96","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnection","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8e80433c49f30417ce291adee70783d0950a6167"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_CreateConnection"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnection","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001671","StartTime":"2026-02-08T20:24:20.348276+00:00","EndTime":"2026-02-08T20:24:20.3485426+00:00","Properties":[]},{"TestCase":{"Id":"202b3fa6-879e-e3e1-a9e5-b102e4eb4ce3","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperExecute","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperExecute","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"380c5e06499d006fa1c74746311f9a967463b7e7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperExecute"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperExecute","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0241839","StartTime":"2026-02-08T20:24:20.3271346+00:00","EndTime":"2026-02-08T20:24:20.3488019+00:00","Properties":[]},{"TestCase":{"Id":"5d7e3914-aa2d-1f03-6a5a-5337f5d27cdb","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8ad495a361d4490b3041428f672ec3c82141f806"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_NotEqual"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0034912","StartTime":"2026-02-08T20:24:20.3472999+00:00","EndTime":"2026-02-08T20:24:20.3490829+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":251,"Stats":{"Passed":251}},"ActiveTests":[{"Id":"66a4fcb2-edef-91eb-7f80-628996536ce7","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e43910b73ecb7a8cf2b5f23019f9073dde0010d9"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_With_Null_Value_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"eeff2b84-83a5-86b0-2b2b-50676318def5","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"af53ca4a8dc8b34e6875d11f679c7a985c5565d8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_UpdateAsync_Entity"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"c7a11043-95d1-a7bf-579c-ddbd8f043673","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9a1a3e40fbd62eb8da872c80156311e1ca5d6ce0"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Indexes_ReturnsTable"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"1d4c207e-eb9a-deed-452b-605cad4121e3","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperQuery","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperQuery","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c4adf8062df283e961afb8953695c7870db8f5d6"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperQuery"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},{"Id":"92b0e310-2442-06b0-2990-03e1d2cdf962","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"979a3a45de1cced5cfc08080d8d7579c8570152c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetTableColumnsJson_ReturnsColumnMetadata"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.351, 368940164615410, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.351, 368940164775651, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.351, 368940164799876, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.351, 368940164811157, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.351, 368940164843007, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.351, 368940164856573, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.351, 368940164916105, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.351, 368940165040568, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.351, 368940165062189, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.351, 368940165091314, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.352, 368940165212912, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.352, 368940165232338, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.352, 368940165261413, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.352, 368940165327076, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.352, 368940165450859, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.352, 368940165471488, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.352, 368940165499991, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.352, 368940165560334, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.Factory_CreateCommand.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.352, 368940165680340, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.Factory_CreateCommand.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.352, 368940165716508, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.Factory_CreateCommand execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.352, 368940165775258, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.352, 368940165897167, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DapperIntegrationTests.TestDapperQuery.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.352, 368940165917124, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DapperIntegrationTests.TestDapperQuery' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.352, 368940165945878, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DapperIntegrationTests.TestDapperQuery execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.352, 368940166005851, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DapperIntegrationTests.TestDapperParameters.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.352, 368940166024316, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.353, 368940166414719, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"eeff2b84-83a5-86b0-2b2b-50676318def5","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"af53ca4a8dc8b34e6875d11f679c7a985c5565d8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_UpdateAsync_Entity"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020933","StartTime":"2026-02-08T20:24:20.3486358+00:00","EndTime":"2026-02-08T20:24:20.3516118+00:00","Properties":[]},{"TestCase":{"Id":"66a4fcb2-edef-91eb-7f80-628996536ce7","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e43910b73ecb7a8cf2b5f23019f9073dde0010d9"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_With_Null_Value_Throws_Exception"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0040024","StartTime":"2026-02-08T20:24:20.3480168+00:00","EndTime":"2026-02-08T20:24:20.3518905+00:00","Properties":[]},{"TestCase":{"Id":"92b0e310-2442-06b0-2990-03e1d2cdf962","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"979a3a45de1cced5cfc08080d8d7579c8570152c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetTableColumnsJson_ReturnsColumnMetadata"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007581","StartTime":"2026-02-08T20:24:20.3515466+00:00","EndTime":"2026-02-08T20:24:20.3520643+00:00","Properties":[]},{"TestCase":{"Id":"c7a11043-95d1-a7bf-579c-ddbd8f043673","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9a1a3e40fbd62eb8da872c80156311e1ca5d6ce0"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Indexes_ReturnsTable"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0033409","StartTime":"2026-02-08T20:24:20.348727+00:00","EndTime":"2026-02-08T20:24:20.3523012+00:00","Properties":[]},{"TestCase":{"Id":"518ca80f-342f-4cb3-4c6f-beec12fa86be","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_CreateCommand","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateCommand","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9b1da149289f33eb0cd84062a384952b124c14ba"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_CreateCommand"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateCommand","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002008","StartTime":"2026-02-08T20:24:20.3524687+00:00","EndTime":"2026-02-08T20:24:20.352531+00:00","Properties":[]},{"TestCase":{"Id":"1d4c207e-eb9a-deed-452b-605cad4121e3","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperQuery","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperQuery","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c4adf8062df283e961afb8953695c7870db8f5d6"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperQuery"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperQuery","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0030083","StartTime":"2026-02-08T20:24:20.3489878+00:00","EndTime":"2026-02-08T20:24:20.3527473+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":257,"Stats":{"Passed":257}},"ActiveTests":[{"Id":"789e6a1c-bbe6-0e9e-2293-56c685a6a4ba","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bb9ba1205d830a929dffde64f997ad28580cb791"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_First_FirstOrDefault"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"d2157c8c-43f4-6772-ba74-097f050f7091","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"99746ef076e17759bba54e87cdefbca8e403df19"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ThenBy_MultiColumnSort"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"e3ba815c-82a8-8b3b-39e5-79cf626e5ff6","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9c50931618d45df78cba8688812cf605c3f2fd7d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Indexes_UniqueIndex"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"242a2121-9b92-eeb3-e4f7-233e2ba3571e","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperParameters","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e5a35057982e63cf6305ca75fef8fa06e9bd8787"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperParameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.353, 368940166554271, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.353, 368940166732676, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.353, 368940166761039, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.353, 368940166775937, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.353, 368940166821303, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.353, 368940166841170, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.353, 368940166931489, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_ExistingEntity.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.354, 368940167140512, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.354, 368940167173654, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.354, 368940167224400, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.354, 368940167350005, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.Factory_CanCreateDataSourceEnumerator_IsFalse.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.354, 368940167558247, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.Factory_CanCreateDataSourceEnumerator_IsFalse.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.354, 368940167620974, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.Factory_CanCreateDataSourceEnumerator_IsFalse execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.354, 368940167727254, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.354, 368940167935826, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.354, 368940168000457, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.355, 368940168126233, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.355, 368940168315529, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DapperIntegrationTests.TestDapperParameters.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.355, 368940168356726, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DapperIntegrationTests.TestDapperParameters' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.355, 368940168410197, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DapperIntegrationTests.TestDapperParameters execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.355, 368940168597789, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.355, 368940168630841, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.355, 368940168681696, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.355, 368940168778578, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.355, 368940168948367, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_ExistingEntity.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.355, 368940168988653, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_ExistingEntity execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.355, 368940169050168, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.355, 368940169067281, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.356, 368940169461761, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"789e6a1c-bbe6-0e9e-2293-56c685a6a4ba","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bb9ba1205d830a929dffde64f997ad28580cb791"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_First_FirstOrDefault"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020542","StartTime":"2026-02-08T20:24:20.3518236+00:00","EndTime":"2026-02-08T20:24:20.3535708+00:00","Properties":[]},{"TestCase":{"Id":"e3ba815c-82a8-8b3b-39e5-79cf626e5ff6","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9c50931618d45df78cba8688812cf605c3f2fd7d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Indexes_UniqueIndex"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010259","StartTime":"2026-02-08T20:24:20.3526839+00:00","EndTime":"2026-02-08T20:24:20.3539732+00:00","Properties":[]},{"TestCase":{"Id":"cc6b7ee5-938f-0881-4c79-fa2d165abd5f","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_CanCreateDataSourceEnumerator_IsFalse","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CanCreateDataSourceEnumerator_IsFalse","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9e35098f45d07080e2a65a7020345aa2b3557e63"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_CanCreateDataSourceEnumerator_IsFalse"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CanCreateDataSourceEnumerator_IsFalse","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002237","StartTime":"2026-02-08T20:24:20.3542856+00:00","EndTime":"2026-02-08T20:24:20.3543921+00:00","Properties":[]},{"TestCase":{"Id":"2eb90095-4db2-a177-4158-17535c6b8e50","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"aad5984f599fa11a803192b76c9129aa2e9360d8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_Instance_NotNull"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0000713","StartTime":"2026-02-08T20:24:20.3546639+00:00","EndTime":"2026-02-08T20:24:20.3547698+00:00","Properties":[]},{"TestCase":{"Id":"242a2121-9b92-eeb3-e4f7-233e2ba3571e","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperParameters","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e5a35057982e63cf6305ca75fef8fa06e9bd8787"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperParameters"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperParameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012377","StartTime":"2026-02-08T20:24:20.353491+00:00","EndTime":"2026-02-08T20:24:20.355149+00:00","Properties":[]},{"TestCase":{"Id":"d2157c8c-43f4-6772-ba74-097f050f7091","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"99746ef076e17759bba54e87cdefbca8e403df19"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ThenBy_MultiColumnSort"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023211","StartTime":"2026-02-08T20:24:20.3522361+00:00","EndTime":"2026-02-08T20:24:20.3554305+00:00","Properties":[]},{"TestCase":{"Id":"38a6ee3f-fa3b-9713-c45b-59e9eb047b9e","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_ExistingEntity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_ExistingEntity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c195edc053651a00e438d09af682c2d9c8d9d1fd"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_GetAsync_ExistingEntity"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_ExistingEntity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015208","StartTime":"2026-02-08T20:24:20.3538651+00:00","EndTime":"2026-02-08T20:24:20.3557961+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":264,"Stats":{"Passed":264}},"ActiveTests":[{"Id":"66fa9c0e-9134-c564-4ed5-1ce0dd23f7b5","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b3e303e949f416f33931ed4c3d29862be6c1d993"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Indexes_FilterByTable"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"07f5ed88-161f-afbd-cc7d-b0c904e09e81","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9d0f6f84c2e4f46c547eadea027f630e44aeab31"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_LessThan"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"9111692d-b29b-f2f6-90ef-710305b1aa5d","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ce66a79f85e9f6f7772632a7e6e4a66ddead122b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_GetAsync_NonExistingEntity"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.356, 368940169534678, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.356, 368940169701792, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.356, 368940169729835, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.356, 368940169746496, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.356, 368940169804335, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.356, 368940169829863, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.356, 368940169917838, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_IgnoresDuplicate.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.357, 368940170143772, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.357, 368940170178918, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.357, 368940170230815, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.357, 368940170355630, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.357, 368940170525028, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.357, 368940170558811, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.357, 368940170609607, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.357, 368940170714113, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.357, 368940170946098, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.357, 368940170980383, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.357, 368940171033272, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.358, 368940171139111, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.358, 368940171327915, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_IgnoresDuplicate.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.358, 368940171398127, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_IgnoresDuplicate execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.358, 368940171500770, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.358, 368940171684254, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.358, 368940171742534, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.358, 368940171830038, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.358, 368940171855185, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.359, 368940172400970, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"66fa9c0e-9134-c564-4ed5-1ce0dd23f7b5","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b3e303e949f416f33931ed4c3d29862be6c1d993"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Indexes_FilterByTable"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010358","StartTime":"2026-02-08T20:24:20.3550619+00:00","EndTime":"2026-02-08T20:24:20.3565406+00:00","Properties":[]},{"TestCase":{"Id":"07f5ed88-161f-afbd-cc7d-b0c904e09e81","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9d0f6f84c2e4f46c547eadea027f630e44aeab31"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_LessThan"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017823","StartTime":"2026-02-08T20:24:20.3557057+00:00","EndTime":"2026-02-08T20:24:20.3569783+00:00","Properties":[]},{"TestCase":{"Id":"9111692d-b29b-f2f6-90ef-710305b1aa5d","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ce66a79f85e9f6f7772632a7e6e4a66ddead122b"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_GetAsync_NonExistingEntity"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012298","StartTime":"2026-02-08T20:24:20.3564613+00:00","EndTime":"2026-02-08T20:24:20.357359+00:00","Properties":[]},{"TestCase":{"Id":"2ff57458-8ad0-0ccc-ca6a-a72fc54aff4b","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax","DisplayName":"DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b397ad5be7c2d5c14490aa880a7f707c0ca85c30"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SupportsQueryableLinqSyntax"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0113386","StartTime":"2026-02-08T20:24:20.3464443+00:00","EndTime":"2026-02-08T20:24:20.3577778+00:00","Properties":[]},{"TestCase":{"Id":"04ba433b-8870-b884-05bf-b3bae96d2f31","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_IgnoresDuplicate","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_IgnoresDuplicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b7e7478498150b2a05f59be9321eda20d6af4d3c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertOrIgnoreAsync_IgnoresDuplicate"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_IgnoresDuplicate","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017976","StartTime":"2026-02-08T20:24:20.3568505+00:00","EndTime":"2026-02-08T20:24:20.3581614+00:00","Properties":[]},{"TestCase":{"Id":"fd61b3b4-47d1-a379-d570-458f2059b61f","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b884bd9992cb0220983c3ba62ee554084d1373b4"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_CreateConnectionStringBuilder"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003183","StartTime":"2026-02-08T20:24:20.3584249+00:00","EndTime":"2026-02-08T20:24:20.3585245+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":270,"Stats":{"Passed":270}},"ActiveTests":[{"Id":"e241c2b5-7b8b-f004-7066-ad10db6d2f2d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9d2dcadfa92853d0c00e3720096111c50c02c8a7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_OrCondition"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"3d994371-c6db-aae9-f792-32920726b2bf","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d8735cc19b640ba08e4b44297bc31752cfa66a60"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Where_Clause"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"baae10db-f229-fc3c-05ca-0ace1d4cb737","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip","DisplayName":"DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bd9fd58c2f92480235e8d00653b79241af39bd75"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllDataTypes_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"62a127fa-e3cb-4946-277d-5500041c7973","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities","DisplayName":"DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bd3dceec156265860c58c4c59c3f9c8239fab751"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"QueryAsync_ReturnsEntities"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.359, 368940172507360, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.359, 368940172723586, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.359, 368940172755466, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.359, 368940172773179, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.359, 368940172821169, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.359, 368940172842760, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.359, 368940172935063, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.359, 368940173124969, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.360, 368940173160546, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.360, 368940173207424, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.360, 368940173294207, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.360, 368940173501797, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.360, 368940173535020, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.360, 368940173586636, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.360, 368940173688498, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_SetProperties.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.360, 368940173894715, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_SetProperties.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.360, 368940173957363, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_SetProperties execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.360, 368940174062390, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.361, 368940174382401, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.361, 368940174477600, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.361, 368940174559263, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.361, 368940174680681, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.361, 368940174720847, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.361, 368940174785788, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_UsableWithConnection.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.361, 368940174919900, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_UsableWithConnection.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.361, 368940174957391, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_UsableWithConnection execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.361, 368940175026140, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.361, 368940175045677, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.362, 368940175560123, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"3d994371-c6db-aae9-f792-32920726b2bf","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d8735cc19b640ba08e4b44297bc31752cfa66a60"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Where_Clause"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0081750","StartTime":"2026-02-08T20:24:20.3576492+00:00","EndTime":"2026-02-08T20:24:20.3595531+00:00","Properties":[]},{"TestCase":{"Id":"e241c2b5-7b8b-f004-7066-ad10db6d2f2d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9d2dcadfa92853d0c00e3720096111c50c02c8a7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_OrCondition"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0086196","StartTime":"2026-02-08T20:24:20.3572911+00:00","EndTime":"2026-02-08T20:24:20.3599439+00:00","Properties":[]},{"TestCase":{"Id":"62a127fa-e3cb-4946-277d-5500041c7973","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities","DisplayName":"DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bd3dceec156265860c58c4c59c3f9c8239fab751"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"QueryAsync_ReturnsEntities"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0079549","StartTime":"2026-02-08T20:24:20.3594406+00:00","EndTime":"2026-02-08T20:24:20.3603331+00:00","Properties":[]},{"TestCase":{"Id":"5f2dd9b3-fe84-a3af-7e0d-80088ad2929f","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_SetProperties","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_SetProperties","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d3902a53102b9f896b5f6b9022242d18d999d6e6"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_SetProperties"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_SetProperties","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006712","StartTime":"2026-02-08T20:24:20.3606219+00:00","EndTime":"2026-02-08T20:24:20.3607275+00:00","Properties":[]},{"TestCase":{"Id":"91a89308-e50a-8ba3-080d-c0cbc9fcfa57","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f598e3383f4957415cffaafcf16348e52706671d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_SingleOrDefault"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017680","StartTime":"2026-02-08T20:24:20.3598677+00:00","EndTime":"2026-02-08T20:24:20.3611925+00:00","Properties":[]},{"TestCase":{"Id":"d3d245ab-8c3e-230e-9f91-e64ad96dcf04","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d3e2a7df3638e7f69884a30d1558463f8c6f943e"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_Defaults"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001686","StartTime":"2026-02-08T20:24:20.3609944+00:00","EndTime":"2026-02-08T20:24:20.36153+00:00","Properties":[]},{"TestCase":{"Id":"18d596f5-9504-f600-9190-88e11c0a6246","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_UsableWithConnection","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_UsableWithConnection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"de796512796d78a08d55ac500d9ddaa14fe09f4d"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_UsableWithConnection"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_UsableWithConnection","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007660","StartTime":"2026-02-08T20:24:20.3616949+00:00","EndTime":"2026-02-08T20:24:20.3617704+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":277,"Stats":{"Passed":277}},"ActiveTests":[{"Id":"d97fdbc2-5a64-4eaf-524a-53214ae6e189","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9edc87fc1480d093c4f70472c1f12d1e3bc59fef"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"EnumProperty_RoundTrip_ViaMicroOrm"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"854be571-ac49-e8c1-bcd9-2b100af34386","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f7f0bce25124eea93340b5a02bb6d79847ac9657"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_DeleteAsync_Entity"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"27918ad1-752e-0f9b-5e76-24ac132fa3f2","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow","DisplayName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e0842c27e282296553a580d44e90a2c2fcda2552"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpsertAsync_InsertsNewRow"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.362, 368940175680018, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.362, 368940175842062, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.362, 368940175863112, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.362, 368940175874122, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.362, 368940175903528, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.362, 368940175916141, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.362, 368940175974351, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.362, 368940176120605, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.363, 368940176149620, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.363, 368940176184636, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.363, 368940176297237, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.363, 368940176331261, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.363, 368940176344756, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.363, 368940176461345, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.363, 368940176516308, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.363, 368940176541436, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.363, 368940176585739, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.363, 368940176601378, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.363, 368940176666320, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmTests.CommonTableExpressions_Supported.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.363, 368940176844585, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.363, 368940176884851, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.363, 368940176916320, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.363, 368940176982965, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.363, 368940177104233, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmTests.CommonTableExpressions_Supported.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.364, 368940177141462, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmTests.CommonTableExpressions_Supported execution completed.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.364, 368940177251249, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.364, 368940177286325, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.364, 368940177299860, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.364, 368940177356747, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Take_Zero_ReturnsEmpty.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.364, 368940177475350, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Take_Zero_ReturnsEmpty.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.364, 368940177517118, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Take_Zero_ReturnsEmpty execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.364, 368940177532026, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.364, 368940177588342, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Convention_SnakeCasePluralTableName.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.364, 368940177705201, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Convention_SnakeCasePluralTableName.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.364, 368940177743152, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Convention_SnakeCasePluralTableName execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.364, 368940177758461, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.364, 368940177815118, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.364, 368940177833402, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.365, 368940178289879, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"27918ad1-752e-0f9b-5e76-24ac132fa3f2","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow","DisplayName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e0842c27e282296553a580d44e90a2c2fcda2552"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpsertAsync_InsertsNewRow"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0018376","StartTime":"2026-02-08T20:24:20.3626089+00:00","EndTime":"2026-02-08T20:24:20.3626894+00:00","Properties":[]},{"TestCase":{"Id":"854be571-ac49-e8c1-bcd9-2b100af34386","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f7f0bce25124eea93340b5a02bb6d79847ac9657"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_DeleteAsync_Entity"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0028151","StartTime":"2026-02-08T20:24:20.3614734+00:00","EndTime":"2026-02-08T20:24:20.3629683+00:00","Properties":[]},{"TestCase":{"Id":"0a99e093-c5a4-ffea-034a-e0099225c88d","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ff4fb2b142ae7308aee7751112d221a85d6421d7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_MetaDataCollections_IncludesIndexes"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005625","StartTime":"2026-02-08T20:24:20.3628978+00:00","EndTime":"2026-02-08T20:24:20.3631483+00:00","Properties":[]},{"TestCase":{"Id":"baae10db-f229-fc3c-05ca-0ace1d4cb737","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip","DisplayName":"DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bd9fd58c2f92480235e8d00653b79241af39bd75"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllDataTypes_RoundTrip"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0145739","StartTime":"2026-02-08T20:24:20.358074+00:00","EndTime":"2026-02-08T20:24:20.3632993+00:00","Properties":[]},{"TestCase":{"Id":"d97fdbc2-5a64-4eaf-524a-53214ae6e189","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9edc87fc1480d093c4f70472c1f12d1e3bc59fef"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"EnumProperty_RoundTrip_ViaMicroOrm"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0074126","StartTime":"2026-02-08T20:24:20.3602201+00:00","EndTime":"2026-02-08T20:24:20.3636851+00:00","Properties":[]},{"TestCase":{"Id":"b4f134ec-fe45-ea0d-bbe4-5d3379545e4f","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.CommonTableExpressions_Supported","DisplayName":"DecentDB.Tests.MicroOrmTests.CommonTableExpressions_Supported","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c035632ae9b078f3f3571e4ae1dc25bc4f8d3ca8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CommonTableExpressions_Supported"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.CommonTableExpressions_Supported","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017349","StartTime":"2026-02-08T20:24:20.3636141+00:00","EndTime":"2026-02-08T20:24:20.3639548+00:00","Properties":[]},{"TestCase":{"Id":"5ad0f035-7c82-0045-6af3-bdcf2a48fcc9","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a089f21c543dc2b3e4ba482db3964fa431a20da3"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CountAsync_WithPredicate"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0022234","StartTime":"2026-02-08T20:24:20.3638914+00:00","EndTime":"2026-02-08T20:24:20.364103+00:00","Properties":[]},{"TestCase":{"Id":"ecd4593f-fbac-a8cf-1572-3db1b651fce4","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Take_Zero_ReturnsEmpty","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Take_Zero_ReturnsEmpty","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a5ba6c24283e1967831092f0698786eb3ba3d85c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Take_Zero_ReturnsEmpty"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Take_Zero_ReturnsEmpty","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017712","StartTime":"2026-02-08T20:24:20.3642652+00:00","EndTime":"2026-02-08T20:24:20.3643273+00:00","Properties":[]},{"TestCase":{"Id":"b0b1f2f7-2d30-2c5e-9975-6ea061ce4940","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Convention_SnakeCasePluralTableName","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Convention_SnakeCasePluralTableName","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ad303a9e844b9a56003810e3d5880756eb679de7"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Convention_SnakeCasePluralTableName"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Convention_SnakeCasePluralTableName","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0032820","StartTime":"2026-02-08T20:24:20.3644957+00:00","EndTime":"2026-02-08T20:24:20.3645567+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":286,"Stats":{"Passed":286}},"ActiveTests":[{"Id":"b51403a8-3351-6942-37fa-7530929c801a","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b0ff837483ba4746cbf92dca2d1cff6d2e076290"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstAsync_WithPredicate"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.365, 368940178386771, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.365, 368940178566699, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.365, 368940178594221, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.365, 368940178609590, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.365, 368940178650386, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.365, 368940178668761, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.365, 368940178753470, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.DeleteByIdAsync_NonExistent_DoesNotThrow.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.365, 368940178940481, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.DeleteByIdAsync_NonExistent_DoesNotThrow.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.365, 368940179002217, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.DeleteByIdAsync_NonExistent_DoesNotThrow execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.365, 368940179025130, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.365, 368940179120289, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Set_MultipleCallsReturnWorkingSets.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.366, 368940179326496, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Set_MultipleCallsReturnWorkingSets.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.366, 368940179389875, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Set_MultipleCallsReturnWorkingSets execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.366, 368940179417036, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.366, 368940179514118, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_GreaterThan.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.366, 368940179722329, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_GreaterThan.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.366, 368940179855029, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_GreaterThan execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.366, 368940179893391, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.366, 368940179985484, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.EnumParameter_RoundTrip_ViaAdoNet.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.367, 368940180158689, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.EnumParameter_RoundTrip_ViaAdoNet.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.367, 368940180219543, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.EnumParameter_RoundTrip_ViaAdoNet execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.367, 368940180239601, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.367, 368940180320352, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNull.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.367, 368940180492475, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNull.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.367, 368940180541447, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNull execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.367, 368940180558810, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.367, 368940180637317, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.367, 368940180812697, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.367, 368940180857701, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.367, 368940180874453, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.367, 368940180952419, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_EmptyTable_ReturnsZero.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.367, 368940181111478, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_EmptyTable_ReturnsZero.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.368, 368940181157865, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_EmptyTable_ReturnsZero execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.368, 368940181176119, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.368, 368940181253665, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_StartsWith_MultiChar.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.368, 368940181405580, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_StartsWith_MultiChar.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.368, 368940181450915, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_StartsWith_MultiChar execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.368, 368940181469410, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.368, 368940181546484, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable.
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.368, 368940181570950, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.368, 368940182074927, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"b51403a8-3351-6942-37fa-7530929c801a","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b0ff837483ba4746cbf92dca2d1cff6d2e076290"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstAsync_WithPredicate"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017002","StartTime":"2026-02-08T20:24:20.3653111+00:00","EndTime":"2026-02-08T20:24:20.3654052+00:00","Properties":[]},{"TestCase":{"Id":"122e0812-ab63-3620-3b9a-9380ea4b1051","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteByIdAsync_NonExistent_DoesNotThrow","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteByIdAsync_NonExistent_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b35119981080eb8de28ec076591831162a2bf00f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteByIdAsync_NonExistent_DoesNotThrow"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteByIdAsync_NonExistent_DoesNotThrow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016902","StartTime":"2026-02-08T20:24:20.365678+00:00","EndTime":"2026-02-08T20:24:20.3657744+00:00","Properties":[]},{"TestCase":{"Id":"b68fd8b9-a7b9-d610-97eb-9ee7b0ea0e74","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Set_MultipleCallsReturnWorkingSets","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Set_MultipleCallsReturnWorkingSets","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c86e95fe22d44d3274e613e7958efff9d6c88e58"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Set_MultipleCallsReturnWorkingSets"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Set_MultipleCallsReturnWorkingSets","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015117","StartTime":"2026-02-08T20:24:20.3660535+00:00","EndTime":"2026-02-08T20:24:20.3661604+00:00","Properties":[]},{"TestCase":{"Id":"3ed9b42a-9748-79e6-7882-b1feae38b81d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_GreaterThan","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_GreaterThan","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cfb90f61e1d3102a63e71bdae8b58ca21f92cc70"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_GreaterThan"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_GreaterThan","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0025241","StartTime":"2026-02-08T20:24:20.3664497+00:00","EndTime":"2026-02-08T20:24:20.3665568+00:00","Properties":[]},{"TestCase":{"Id":"f5e5d7a5-8f51-150d-61b9-9bfacc8871b9","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumParameter_RoundTrip_ViaAdoNet","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumParameter_RoundTrip_ViaAdoNet","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d71ebc903c3189a28bbf40a968f8769ee553c5c3"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"EnumParameter_RoundTrip_ViaAdoNet"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumParameter_RoundTrip_ViaAdoNet","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0045346","StartTime":"2026-02-08T20:24:20.3669097+00:00","EndTime":"2026-02-08T20:24:20.367003+00:00","Properties":[]},{"TestCase":{"Id":"2a10a141-dcba-8129-9d89-c124b18d8fb1","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNull","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d78ea56d53a9380cc5b8c86411a47696a84805c8"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_IsNull"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0038638","StartTime":"2026-02-08T20:24:20.3672404+00:00","EndTime":"2026-02-08T20:24:20.3673308+00:00","Properties":[]},{"TestCase":{"Id":"430a460b-7950-fa41-29c4-b050e92366d7","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d84016b2162179d8d8bb3f903fd86a4413efb5dd"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AnyAsync_WithPredicate_NoMatch"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017471","StartTime":"2026-02-08T20:24:20.3675574+00:00","EndTime":"2026-02-08T20:24:20.3676525+00:00","Properties":[]},{"TestCase":{"Id":"39439d5c-609d-167a-f412-51e71101105b","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_EmptyTable_ReturnsZero","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_EmptyTable_ReturnsZero","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d9e684d77819bf8516165d5d08b093cb378a738c"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CountAsync_EmptyTable_ReturnsZero"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_EmptyTable_ReturnsZero","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010401","StartTime":"2026-02-08T20:24:20.3678716+00:00","EndTime":"2026-02-08T20:24:20.3679596+00:00","Properties":[]},{"TestCase":{"Id":"59a72e5c-2760-e780-f527-0a653fa30cf5","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_StartsWith_MultiChar","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_StartsWith_MultiChar","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dd6daf588381f801638a262b237f34b59faf467f"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_StartsWith_MultiChar"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_StartsWith_MultiChar","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017471","StartTime":"2026-02-08T20:24:20.3681721+00:00","EndTime":"2026-02-08T20:24:20.3682559+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":295,"Stats":{"Passed":295}},"ActiveTests":[{"Id":"dda250f5-6f34-c920-bd39-478a494d9809","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e6b7c7d89c5801c9c2292b3a3bbe64cbdf7d1dca"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_CapturedVariable"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.369, 368940182178190, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.369, 368940182357367, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.369, 368940182385239, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.369, 368940182401720, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable' in inProgress list.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.369, 368940182444190, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.369, 368940182460861, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.369, 368940182540942, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.SqlEvents_CaptureCommandText.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.369, 368940182714517, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.SqlEvents_CaptureCommandText.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.369, 368940182764642, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.SqlEvents_CaptureCommandText execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.369, 368940182783607, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.369, 368940182860962, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_EndsWith.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.369, 368940183013950, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_EndsWith.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.369, 368940183059455, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_EndsWith execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.369, 368940183078972, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.370, 368940183165294, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.DerivedContext_CrudThroughProperty.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.370, 368940183327228, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.DerivedContext_CrudThroughProperty.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.370, 368940183439218, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.DerivedContext_CrudThroughProperty execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.370, 368940183457773, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.370, 368940183530229, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Skip_BeyondData_ReturnsEmpty.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.370, 368940183676043, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Skip_BeyondData_ReturnsEmpty.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.370, 368940183713253, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Skip_BeyondData_ReturnsEmpty execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.370, 368940183726808, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.370, 368940183784537, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.ThenByDescending_MultiColumnSort.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.370, 368940183904011, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.ThenByDescending_MultiColumnSort.
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.370, 368940183938766, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.ThenByDescending_MultiColumnSort execution completed.
-TpTrace Warning: 0 : 1682879, 15, 2026/02/08, 14:24:20.370, 368940183951681, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Information: 0 : 1682879, 15, 2026/02/08, 14:24:20.372, 368940185906883, testhost.dll, [xUnit.net 00:00:00.42] Finished: DecentDB.Tests
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.372, 368940185954963, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"[xUnit.net 00:00:00.42] Finished: DecentDB.Tests"}}
-TpTrace Verbose: 0 : 1682879, 15, 2026/02/08, 14:24:20.372, 368940186033951, testhost.dll, MulticastDelegateUtilities.SafeInvoke: TestRunMessageLoggerProxy.SendMessage: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Execution.RunTestsWithSources., took 0 ms.
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:20.377, 368940191119461, testhost.dll, BaseRunTests.RunTestInternalWithExecutors: Completed running tests for executor://xunit/VsTestRunner3/netcore/
-TpTrace Information: 0 : 1682879, 4, 2026/02/08, 14:24:20.380, 368940193687052, testhost.dll, Sending test run complete
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:20.386, 368940200062926, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.Completed","Payload":{"TestRunCompleteArgs":{"TestRunStatistics":{"ExecutedTests":301,"Stats":{"Passed":301}},"IsCanceled":false,"IsAborted":false,"Error":null,"AttachmentSets":[],"InvokedDataCollectors":[],"ElapsedTimeInRunningTests":"00:00:00.4378903","Metrics":{},"DiscoveredExtensions":{"TestDiscoverers":["Xunit.Runner.VisualStudio.VsTestRunner, xunit.runner.visualstudio.testadapter, Version=3.1.5.0, Culture=neutral, PublicKeyToken=null"],"TestExecutors":["executor://xunit/VsTestRunner3/netcore/"],"TestExecutors2":[],"TestSettingsProviders":[]}},"LastRunTests":{"NewTestResults":[{"TestCase":{"Id":"dda250f5-6f34-c920-bd39-478a494d9809","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e6b7c7d89c5801c9c2292b3a3bbe64cbdf7d1dca"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_CapturedVariable"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026508","StartTime":"2026-02-08T20:24:20.3691037+00:00","EndTime":"2026-02-08T20:24:20.3691968+00:00","Properties":[]},{"TestCase":{"Id":"b2163b8c-c1f9-e426-d7ee-8d48f22cdb9d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.SqlEvents_CaptureCommandText","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.SqlEvents_CaptureCommandText","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e71049556da2d336bd6bdd608c22d1d5e5562af5"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SqlEvents_CaptureCommandText"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.SqlEvents_CaptureCommandText","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016474","StartTime":"2026-02-08T20:24:20.3694668+00:00","EndTime":"2026-02-08T20:24:20.3695566+00:00","Properties":[]},{"TestCase":{"Id":"1d1177e2-6c5d-e7f8-5e69-75f0d79fd3d6","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_EndsWith","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_EndsWith","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f030b489a52eb5019bafce332cfd18213964e609"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_EndsWith"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_EndsWith","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020836","StartTime":"2026-02-08T20:24:20.369782+00:00","EndTime":"2026-02-08T20:24:20.3698637+00:00","Properties":[]},{"TestCase":{"Id":"e6d1f660-25aa-258a-0fd1-7f0679d07621","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.DerivedContext_CrudThroughProperty","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DerivedContext_CrudThroughProperty","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f2cd312b351537a43b2a980203da23bc82f57312"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DerivedContext_CrudThroughProperty"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DerivedContext_CrudThroughProperty","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023938","StartTime":"2026-02-08T20:24:20.3700819+00:00","EndTime":"2026-02-08T20:24:20.3701442+00:00","Properties":[]},{"TestCase":{"Id":"4ef3793f-9d68-19fb-ef50-0123a4dbf9da","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Skip_BeyondData_ReturnsEmpty","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Skip_BeyondData_ReturnsEmpty","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f4b854a61b638186cf308f11e120a3d46016db00"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Skip_BeyondData_ReturnsEmpty"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Skip_BeyondData_ReturnsEmpty","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016709","StartTime":"2026-02-08T20:24:20.3704441+00:00","EndTime":"2026-02-08T20:24:20.3705149+00:00","Properties":[]},{"TestCase":{"Id":"8eba0ed4-027f-6806-e676-8b442fe923b2","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenByDescending_MultiColumnSort","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenByDescending_MultiColumnSort","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f9f06fcb670cf8f48dd5e3afb64c4657bd6b83cc"},{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ThenByDescending_MultiColumnSort"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenByDescending_MultiColumnSort","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019598","StartTime":"2026-02-08T20:24:20.3706924+00:00","EndTime":"2026-02-08T20:24:20.3707555+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":301,"Stats":{"Passed":301}},"ActiveTests":[]},"RunAttachments":[],"ExecutorUris":["executor://xunit/VsTestRunner3/netcore/"]}}
-TpTrace Verbose: 0 : 1682879, 4, 2026/02/08, 14:24:20.387, 368940200330228, testhost.dll, BaseRunTests.RunTests: Run is complete.
-TpTrace Verbose: 0 : 1682879, 5, 2026/02/08, 14:24:20.387, 368940200777278, testhost.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: [::ffff:127.0.0.1]:45523 localEndPoint: [::ffff:127.0.0.1]:58182
-TpTrace Information: 0 : 1682879, 5, 2026/02/08, 14:24:20.387, 368940200832070, testhost.dll, TestRequestHandler.OnMessageReceived: received message: (TestSession.Terminate) -> {"MessageType":"TestSession.Terminate","Payload":null}
-TpTrace Information: 0 : 1682879, 5, 2026/02/08, 14:24:20.387, 368940200847069, testhost.dll, Session End message received from server. Closing the connection.
-TpTrace Information: 0 : 1682879, 1, 2026/02/08, 14:24:20.388, 368940201196394, testhost.dll, SocketClient.Stop: Stop communication from server endpoint: 127.0.0.1:045523
-TpTrace Information: 0 : 1682879, 5, 2026/02/08, 14:24:20.388, 368940201201885, testhost.dll, SocketClient.Stop: Stop communication from server endpoint: 127.0.0.1:045523
-TpTrace Information: 0 : 1682879, 1, 2026/02/08, 14:24:20.388, 368940201245978, testhost.dll, SocketClient: Stop: Cancellation requested. Stopping message loop.
-TpTrace Information: 0 : 1682879, 5, 2026/02/08, 14:24:20.388, 368940201244194, testhost.dll, SocketClient: Stop: Cancellation requested. Stopping message loop.
-TpTrace Verbose: 0 : 1682879, 1, 2026/02/08, 14:24:20.388, 368940201380951, testhost.dll, LengthPrefixCommunicationChannel.Dispose: Dispose reader and writer.
-TpTrace Verbose: 0 : 1682879, 5, 2026/02/08, 14:24:20.388, 368940201387243, testhost.dll, LengthPrefixCommunicationChannel.Dispose: Dispose reader and writer.
-TpTrace Information: 0 : 1682879, 5, 2026/02/08, 14:24:20.388, 368940201444480, testhost.dll, Closing the connection !
-TpTrace Verbose: 0 : 1682879, 5, 2026/02/08, 14:24:20.388, 368940201475879, testhost.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestHandler., took 0 ms.
-TpTrace Information: 0 : 1682879, 1, 2026/02/08, 14:24:20.388, 368940201479155, testhost.dll, Testhost process exiting.
-TpTrace Information: 0 : 1682879, 5, 2026/02/08, 14:24:20.388, 368940201696994, testhost.dll, SocketClient.PrivateStop: Stop communication from server endpoint: 127.0.0.1:045523, error:
diff --git a/bindings/dotnet/v.host.26-02-08_16-26-58_16513_5 b/bindings/dotnet/v.host.26-02-08_16-26-58_16513_5
deleted file mode 100644
index 51681cf..0000000
--- a/bindings/dotnet/v.host.26-02-08_16-26-58_16513_5
+++ /dev/null
@@ -1,1566 +0,0 @@
-TpTrace Verbose: 0 : 1787416, 1, 2026/02/08, 16:26:58.265, 376298078829058, testhost.dll, Version: 18.0.1 Current process architecture: X64
-TpTrace Verbose: 0 : 1787416, 1, 2026/02/08, 16:26:58.268, 376298081652480, testhost.dll, Runtime location: /usr/share/dotnet/shared/Microsoft.NETCore.App/10.0.0
-TpTrace Information: 0 : 1787416, 1, 2026/02/08, 16:26:58.270, 376298083456268, testhost.dll, DefaultEngineInvoker.Invoke: Testhost process started with args :[--port, 41437],[--endpoint, 127.0.0.1:041437],[--role, client],[--parentprocessid, 1787404],[--diag, /home/steven/source/decentdb/bindings/dotnet/v.host.26-02-08_16-26-58_16513_5],[--tracelevel, 4],[--telemetryoptedin, false]
-TpTrace Information: 0 : 1787416, 1, 2026/02/08, 16:26:58.270, 376298083690808, testhost.dll, Setting up debug trace listener.
-TpTrace Verbose: 0 : 1787416, 1, 2026/02/08, 16:26:58.270, 376298083782921, testhost.dll, TestPlatformTraceListener.Setup: Replacing listener System.Diagnostics.DefaultTraceListener with TestHostTraceListener.
-TpTrace Verbose: 0 : 1787416, 1, 2026/02/08, 16:26:58.270, 376298083850127, testhost.dll, TestPlatformTraceListener.Setup: Added test platform trace listener.
-TpTrace Information: 0 : 1787416, 1, 2026/02/08, 16:26:58.271, 376298084161572, testhost.dll, DefaultEngineInvoker.SetParentProcessExitCallback: Monitoring parent process with id: '1787404'
-TpTrace Information: 0 : 1787416, 1, 2026/02/08, 16:26:58.274, 376298087767163, testhost.dll, DefaultEngineInvoker.GetConnectionInfo: Initialize communication on endpoint address: '127.0.0.1:041437'
-TpTrace Information: 0 : 1787416, 1, 2026/02/08, 16:26:58.287, 376298100170576, testhost.dll, SocketClient.Start: connecting to server endpoint: 127.0.0.1:041437
-TpTrace Information: 0 : 1787416, 10, 2026/02/08, 16:26:58.292, 376298106074694, testhost.dll, SocketClient.OnServerConnected: connected to server endpoint: 127.0.0.1:041437
-TpTrace Verbose: 0 : 1787416, 10, 2026/02/08, 16:26:58.295, 376298108169989, testhost.dll, MulticastDelegateUtilities.SafeInvoke: SocketClient: ServerConnected: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestHandler., took 0 ms.
-TpTrace Verbose: 0 : 1787416, 10, 2026/02/08, 16:26:58.295, 376298108220313, testhost.dll, Connected to server, and starting MessageLoopAsync
-TpTrace Information: 0 : 1787416, 1, 2026/02/08, 16:26:58.295, 376298108219141, testhost.dll, DefaultEngineInvoker.Invoke: Start Request Processing.
-TpTrace Information: 0 : 1787416, 11, 2026/02/08, 16:26:58.295, 376298108968018, testhost.dll, DefaultEngineInvoker.StartProcessingAsync: Connected to vstest.console, Starting process requests.
-TpTrace Verbose: 0 : 1787416, 5, 2026/02/08, 16:26:58.300, 376298114049831, testhost.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: [::ffff:127.0.0.1]:41437 localEndPoint: [::ffff:127.0.0.1]:41022 after 0 ms
-TpTrace Verbose: 0 : 1787416, 5, 2026/02/08, 16:26:58.323, 376298136379306, testhost.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: [::ffff:127.0.0.1]:41437 localEndPoint: [::ffff:127.0.0.1]:41022
-TpTrace Information: 0 : 1787416, 5, 2026/02/08, 16:26:58.326, 376298139713829, testhost.dll, TestRequestHandler.OnMessageReceived: received message: (ProtocolVersion) -> {"MessageType":"ProtocolVersion","Payload":7}
-TpTrace Verbose: 0 : 1787416, 5, 2026/02/08, 16:26:58.408, 376298221717049, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"Logging TestHost Diagnostics in file: /home/steven/source/decentdb/bindings/dotnet/v.host.26-02-08_16-26-58_16513_5"}}
-TpTrace Verbose: 0 : 1787416, 5, 2026/02/08, 16:26:58.408, 376298221874385, testhost.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestHandler., took 84 ms.
-TpTrace Verbose: 0 : 1787416, 5, 2026/02/08, 16:26:58.408, 376298221903449, testhost.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: [::ffff:127.0.0.1]:41437 localEndPoint: [::ffff:127.0.0.1]:41022 after 107 ms
-TpTrace Verbose: 0 : 1787416, 5, 2026/02/08, 16:26:58.413, 376298226463914, testhost.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: [::ffff:127.0.0.1]:41437 localEndPoint: [::ffff:127.0.0.1]:41022
-TpTrace Information: 0 : 1787416, 5, 2026/02/08, 16:26:58.413, 376298226738670, testhost.dll, TestRequestHandler.OnMessageReceived: received message: (TestExecution.Initialize) -> {"Version":7,"MessageType":"TestExecution.Initialize","Payload":["/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll"]}
-TpTrace Verbose: 0 : 1787416, 5, 2026/02/08, 16:26:58.419, 376298232950957, testhost.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestHandler., took 6 ms.
-TpTrace Verbose: 0 : 1787416, 5, 2026/02/08, 16:26:58.419, 376298233020578, testhost.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: [::ffff:127.0.0.1]:41437 localEndPoint: [::ffff:127.0.0.1]:41022 after 11 ms
-TpTrace Information: 0 : 1787416, 4, 2026/02/08, 16:26:58.420, 376298233517461, testhost.dll, TestRequestHandler.OnMessageReceived: Running job 'TestExecution.Initialize'.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.422, 376298235898723, testhost.dll, TestExecutorService: Loading the extensions
-TpTrace Verbose: 0 : 1787416, 5, 2026/02/08, 16:26:58.423, 376298236723361, testhost.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: [::ffff:127.0.0.1]:41437 localEndPoint: [::ffff:127.0.0.1]:41022
-TpTrace Information: 0 : 1787416, 5, 2026/02/08, 16:26:58.423, 376298236839760, testhost.dll, TestRequestHandler.OnMessageReceived: received message: (TestExecution.StartWithSources) -> {"Version":7,"MessageType":"TestExecution.StartWithSources","Payload":{"AdapterSourceMap":{"_none_":["/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll"]},"RunSettings":"\n \n /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/TestResults\n .NETCoreApp,Version=v10.0\n False\n False\n \n \n \n \n \n minimal\n \n \n \n \n","TestExecutionContext":{"FrequencyOfRunStatsChangeEvent":10,"RunStatsChangeEventTimeout":"00:00:01.5000000","InIsolation":false,"KeepAlive":false,"AreTestCaseLevelEventsRequired":false,"IsDebug":false,"TestCaseFilter":null,"FilterOptions":null},"Package":null}}
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.424, 376298237364285, testhost.dll, TestPluginCache.DiscoverTestExtensions: finding test extensions in assemblies ends with: TestAdapter.dll TPluginInfo: Microsoft.VisualStudio.TestPlatform.Common.ExtensionFramework.Utilities.TestExecutorPluginInformation TExtension: Microsoft.VisualStudio.TestPlatform.ObjectModel.Adapter.ITestExecutor
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.425, 376298238720372, testhost.dll, TestPluginCache.GetExtensionPaths: Filtered extension paths:
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.425, 376298238992493, testhost.dll, TestPluginCache.GetExtensionPaths: Added default extension paths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.425, 376298239030053, testhost.dll, TestPluginCache.GetExtensionPaths: Added unfilterableExtensionPaths:
-TpTrace Information: 0 : 1787416, 4, 2026/02/08, 16:26:58.427, 376298240156168, testhost.dll, AssemblyResolver.ctor: Creating AssemblyResolver with searchDirectories /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.427, 376298240765933, testhost.dll, TestPluginCache.DiscoverTestExtensions: Discovering the extensions using extension path.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.427, 376298240859880, testhost.dll, TestPluginCache.GetExtensionPaths: Filtered extension paths:
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.427, 376298240880489, testhost.dll, TestPluginCache.GetExtensionPaths: Added default extension paths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.427, 376298240898542, testhost.dll, TestPluginCache.GetExtensionPaths: Added unfilterableExtensionPaths:
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.427, 376298240942645, testhost.dll, TestPluginCache.DiscoverTestExtensions: Discovering the extensions using allExtensionPaths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Information: 0 : 1787416, 4, 2026/02/08, 16:26:58.428, 376298241520450, testhost.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0
-TpTrace Information: 0 : 1787416, 4, 2026/02/08, 16:26:58.430, 376298243837322, testhost.dll, AssemblyResolver.OnResolve: xunit.runner.visualstudio.testadapter: Resolving assembly.
-TpTrace Information: 0 : 1787416, 4, 2026/02/08, 16:26:58.430, 376298243897074, testhost.dll, AssemblyResolver.OnResolve: xunit.runner.visualstudio.testadapter: Searching in: '/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0'.
-TpTrace Information: 0 : 1787416, 4, 2026/02/08, 16:26:58.436, 376298250007319, testhost.dll, AssemblyResolver.OnResolve: xunit.runner.visualstudio.testadapter: Loading assembly '/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll'.
-TpTrace Information: 0 : 1787416, 4, 2026/02/08, 16:26:58.437, 376298250647050, testhost.dll, AssemblyResolver.OnResolve: Resolved assembly: xunit.runner.visualstudio.testadapter, from path: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Verbose: 0 : 1787416, 5, 2026/02/08, 16:26:58.444, 376298257567776, testhost.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestHandler., took 20 ms.
-TpTrace Verbose: 0 : 1787416, 5, 2026/02/08, 16:26:58.444, 376298257649590, testhost.dll, TcpClientExtensions.MessageLoopAsync: Polling on remoteEndPoint: [::ffff:127.0.0.1]:41437 localEndPoint: [::ffff:127.0.0.1]:41022 after 24 ms
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.447, 376298260776422, testhost.dll, MetadataReaderExtensionsHelper: Discovering extensions inside assembly 'xunit.runner.visualstudio.testadapter, Version=3.1.5.0, Culture=neutral, PublicKeyToken=null' file path '/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll'
-TpTrace Information: 0 : 1787416, 4, 2026/02/08, 16:26:58.463, 376298276258648, testhost.dll, GetTestExtensionFromType: Register extension with identifier data 'executor://xunit/VsTestRunner3/netcore/' and type 'Xunit.Runner.VisualStudio.VsTestRunner, xunit.runner.visualstudio.testadapter, Version=3.1.5.0, Culture=neutral, PublicKeyToken=null' inside file '/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll'
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.464, 376298277755980, testhost.dll, TestPluginCache: Discovered the extensions using extension path ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.465, 376298278166791, testhost.dll, TestPluginCache: Discoverers are ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.465, 376298278224079, testhost.dll, TestPluginCache: Executors are 'executor://xunit/VsTestRunner3/netcore/'.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.465, 376298278273151, testhost.dll, TestPluginCache: Executors2 are ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.465, 376298278317134, testhost.dll, TestPluginCache: Setting providers are ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.465, 376298278359333, testhost.dll, TestPluginCache: Loggers are ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.465, 376298278418684, testhost.dll, TestPluginCache: TestHosts are ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.465, 376298278460523, testhost.dll, TestPluginCache: DataCollectors are ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.466, 376298279977883, testhost.dll, TestPluginCache.DiscoverTestExtensions: finding test extensions in assemblies ends with: TestAdapter.dll TPluginInfo: Microsoft.VisualStudio.TestPlatform.Common.ExtensionFramework.Utilities.TestExecutorPluginInformation2 TExtension: Microsoft.VisualStudio.TestPlatform.ObjectModel.Adapter.ITestExecutor2
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.467, 376298280148844, testhost.dll, TestPluginCache.GetExtensionPaths: Filtered extension paths:
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.467, 376298280182978, testhost.dll, TestPluginCache.GetExtensionPaths: Added default extension paths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.467, 376298280196974, testhost.dll, TestPluginCache.GetExtensionPaths: Added unfilterableExtensionPaths:
-TpTrace Information: 0 : 1787416, 4, 2026/02/08, 16:26:58.467, 376298280263800, testhost.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.467, 376298280284709, testhost.dll, TestPluginCache.DiscoverTestExtensions: Discovering the extensions using extension path.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.467, 376298280304095, testhost.dll, TestPluginCache.GetExtensionPaths: Filtered extension paths:
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.467, 376298280315867, testhost.dll, TestPluginCache.GetExtensionPaths: Added default extension paths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.467, 376298280327499, testhost.dll, TestPluginCache.GetExtensionPaths: Added unfilterableExtensionPaths:
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.467, 376298280340644, testhost.dll, TestPluginCache.DiscoverTestExtensions: Discovering the extensions using allExtensionPaths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Information: 0 : 1787416, 4, 2026/02/08, 16:26:58.467, 376298280364018, testhost.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.467, 376298280405987, testhost.dll, MetadataReaderExtensionsHelper: Discovering extensions inside assembly 'xunit.runner.visualstudio.testadapter, Version=3.1.5.0, Culture=neutral, PublicKeyToken=null' file path '/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll'
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.484, 376298297134403, testhost.dll, TestPluginCache: Discovered the extensions using extension path ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.484, 376298297214924, testhost.dll, TestPluginCache: Discoverers are ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.484, 376298297242376, testhost.dll, TestPluginCache: Executors are 'executor://xunit/VsTestRunner3/netcore/'.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.484, 376298297276119, testhost.dll, TestPluginCache: Executors2 are ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.484, 376298297288943, testhost.dll, TestPluginCache: Setting providers are ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.484, 376298297299834, testhost.dll, TestPluginCache: Loggers are ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.484, 376298297310323, testhost.dll, TestPluginCache: TestHosts are ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.484, 376298297321424, testhost.dll, TestPluginCache: DataCollectors are ''.
-TpTrace Information: 0 : 1787416, 4, 2026/02/08, 16:26:58.491, 376298304202276, testhost.dll, TestPluginManager.CreateTestExtension: Attempting to load test extension: Xunit.Runner.VisualStudio.VsTestRunner
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.491, 376298304547314, testhost.dll, TestExecutorExtensionManager: Loading executor Microsoft.VisualStudio.TestPlatform.Common.ExtensionDecorators.SerialTestRunDecorator
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.491, 376298304575186, testhost.dll, TestExecutorService: Loaded the executors
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.491, 376298305010904, testhost.dll, TestPluginCache.DiscoverTestExtensions: finding test extensions in assemblies ends with: TestAdapter.dll TPluginInfo: Microsoft.VisualStudio.TestPlatform.Common.ExtensionFramework.Utilities.TestSettingsProviderPluginInformation TExtension: Microsoft.VisualStudio.TestPlatform.ObjectModel.Adapter.ISettingsProvider
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.491, 376298305081617, testhost.dll, TestPluginCache.GetExtensionPaths: Filtered extension paths:
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.491, 376298305109459, testhost.dll, TestPluginCache.GetExtensionPaths: Added default extension paths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.491, 376298305122504, testhost.dll, TestPluginCache.GetExtensionPaths: Added unfilterableExtensionPaths:
-TpTrace Information: 0 : 1787416, 4, 2026/02/08, 16:26:58.492, 376298305162949, testhost.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.492, 376298305184971, testhost.dll, TestPluginCache.DiscoverTestExtensions: Discovering the extensions using extension path.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.492, 376298305198556, testhost.dll, TestPluginCache.GetExtensionPaths: Filtered extension paths:
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.492, 376298305210449, testhost.dll, TestPluginCache.GetExtensionPaths: Added default extension paths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.492, 376298305221880, testhost.dll, TestPluginCache.GetExtensionPaths: Added unfilterableExtensionPaths:
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.492, 376298305234684, testhost.dll, TestPluginCache.DiscoverTestExtensions: Discovering the extensions using allExtensionPaths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Information: 0 : 1787416, 4, 2026/02/08, 16:26:58.492, 376298305264700, testhost.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.492, 376298305299466, testhost.dll, MetadataReaderExtensionsHelper: Discovering extensions inside assembly 'xunit.runner.visualstudio.testadapter, Version=3.1.5.0, Culture=neutral, PublicKeyToken=null' file path '/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll'
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.493, 376298306146106, testhost.dll, TestPluginCache: Discovered the extensions using extension path ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.493, 376298306179138, testhost.dll, TestPluginCache: Discoverers are ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.493, 376298306193414, testhost.dll, TestPluginCache: Executors are 'executor://xunit/VsTestRunner3/netcore/'.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.493, 376298306205798, testhost.dll, TestPluginCache: Executors2 are ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.493, 376298306226947, testhost.dll, TestPluginCache: Setting providers are ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.493, 376298306238960, testhost.dll, TestPluginCache: Loggers are ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.493, 376298306255711, testhost.dll, TestPluginCache: TestHosts are ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.493, 376298306266271, testhost.dll, TestPluginCache: DataCollectors are ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.493, 376298306748828, testhost.dll, TestExecutorService: Loaded the settings providers
-TpTrace Information: 0 : 1787416, 4, 2026/02/08, 16:26:58.493, 376298306775628, testhost.dll, TestExecutorService: Loaded the extensions
-TpTrace Information: 0 : 1787416, 4, 2026/02/08, 16:26:58.493, 376298307117670, testhost.dll, TestRequestHandler.OnMessageReceived: Running job 'TestExecution.StartWithSources'.
-TpTrace Information: 0 : 1787416, 4, 2026/02/08, 16:26:58.535, 376298348639569, testhost.dll, TestDiscoveryManager: Discovering tests from sources /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.536, 376298350012117, testhost.dll, TestPluginCache.DiscoverTestExtensions: finding test extensions in assemblies ends with: TestAdapter.dll TPluginInfo: Microsoft.VisualStudio.TestPlatform.Common.ExtensionFramework.Utilities.TestDiscovererPluginInformation TExtension: Microsoft.VisualStudio.TestPlatform.ObjectModel.Adapter.ITestDiscoverer
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.536, 376298350086637, testhost.dll, TestPluginCache.GetExtensionPaths: Filtered extension paths:
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.536, 376298350107626, testhost.dll, TestPluginCache.GetExtensionPaths: Added default extension paths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.536, 376298350119879, testhost.dll, TestPluginCache.GetExtensionPaths: Added unfilterableExtensionPaths:
-TpTrace Information: 0 : 1787416, 4, 2026/02/08, 16:26:58.537, 376298350163160, testhost.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.537, 376298350180773, testhost.dll, TestPluginCache.DiscoverTestExtensions: Discovering the extensions using extension path.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.537, 376298350193377, testhost.dll, TestPluginCache.GetExtensionPaths: Filtered extension paths:
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.537, 376298350204608, testhost.dll, TestPluginCache.GetExtensionPaths: Added default extension paths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.537, 376298350228573, testhost.dll, TestPluginCache.GetExtensionPaths: Added unfilterableExtensionPaths:
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.537, 376298350242219, testhost.dll, TestPluginCache.DiscoverTestExtensions: Discovering the extensions using allExtensionPaths: /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll
-TpTrace Information: 0 : 1787416, 4, 2026/02/08, 16:26:58.537, 376298350262086, testhost.dll, AssemblyResolver.AddSearchDirectories: Adding more searchDirectories /home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.537, 376298350308213, testhost.dll, MetadataReaderExtensionsHelper: Discovering extensions inside assembly 'xunit.runner.visualstudio.testadapter, Version=3.1.5.0, Culture=neutral, PublicKeyToken=null' file path '/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll'
-TpTrace Information: 0 : 1787416, 4, 2026/02/08, 16:26:58.540, 376298353957606, testhost.dll, GetTestExtensionFromType: Register extension with identifier data 'Xunit.Runner.VisualStudio.VsTestRunner, xunit.runner.visualstudio.testadapter, Version=3.1.5.0, Culture=neutral, PublicKeyToken=null' and type 'Xunit.Runner.VisualStudio.VsTestRunner, xunit.runner.visualstudio.testadapter, Version=3.1.5.0, Culture=neutral, PublicKeyToken=null' inside file '/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/xunit.runner.visualstudio.testadapter.dll'
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.540, 376298354118227, testhost.dll, TestPluginCache: Discovered the extensions using extension path ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.541, 376298354150688, testhost.dll, TestPluginCache: Discoverers are 'Xunit.Runner.VisualStudio.VsTestRunner, xunit.runner.visualstudio.testadapter, Version=3.1.5.0, Culture=neutral, PublicKeyToken=null'.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.541, 376298354164374, testhost.dll, TestPluginCache: Executors are 'executor://xunit/VsTestRunner3/netcore/'.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.541, 376298354176857, testhost.dll, TestPluginCache: Executors2 are ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.541, 376298354188209, testhost.dll, TestPluginCache: Setting providers are ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.541, 376298354205682, testhost.dll, TestPluginCache: Loggers are ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.541, 376298354216742, testhost.dll, TestPluginCache: TestHosts are ''.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.541, 376298354228224, testhost.dll, TestPluginCache: DataCollectors are ''.
-TpTrace Information: 0 : 1787416, 4, 2026/02/08, 16:26:58.543, 376298356700817, testhost.dll, PEReaderHelper.GetAssemblyType: Determined assemblyType:'Managed' for source: '/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll'
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.546, 376298359962602, testhost.dll, BaseRunTests.RunTestInternalWithExecutors: Running tests for executor://xunit/VsTestRunner3/netcore/
-TpTrace Information: 0 : 1787416, 4, 2026/02/08, 16:26:58.553, 376298366459173, testhost.dll, [xUnit.net 00:00:00.00] xUnit.net VSTest Adapter v3.1.5+1b188a7b0a (64-bit .NET 10.0.0)
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.553, 376298366537711, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"[xUnit.net 00:00:00.00] xUnit.net VSTest Adapter v3.1.5+1b188a7b0a (64-bit .NET 10.0.0)"}}
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.553, 376298366625546, testhost.dll, MulticastDelegateUtilities.SafeInvoke: TestRunMessageLoggerProxy.SendMessage: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Execution.RunTestsWithSources., took 0 ms.
-TpTrace Information: 0 : 1787416, 10, 2026/02/08, 16:26:58.638, 376298451967718, testhost.dll, [xUnit.net 00:00:00.08] Discovering: DecentDB.Tests
-TpTrace Verbose: 0 : 1787416, 10, 2026/02/08, 16:26:58.638, 376298452088014, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"[xUnit.net 00:00:00.08] Discovering: DecentDB.Tests"}}
-TpTrace Verbose: 0 : 1787416, 10, 2026/02/08, 16:26:58.639, 376298452614944, testhost.dll, MulticastDelegateUtilities.SafeInvoke: TestRunMessageLoggerProxy.SendMessage: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Execution.RunTestsWithSources., took 0 ms.
-TpTrace Information: 0 : 1787416, 10, 2026/02/08, 16:26:58.697, 376298510149251, testhost.dll, [xUnit.net 00:00:00.14] Discovered: DecentDB.Tests
-TpTrace Verbose: 0 : 1787416, 10, 2026/02/08, 16:26:58.697, 376298510259398, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"[xUnit.net 00:00:00.14] Discovered: DecentDB.Tests"}}
-TpTrace Verbose: 0 : 1787416, 10, 2026/02/08, 16:26:58.697, 376298510342935, testhost.dll, MulticastDelegateUtilities.SafeInvoke: TestRunMessageLoggerProxy.SendMessage: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Execution.RunTestsWithSources., took 0 ms.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.734, 376298547326320, testhost.dll, [xUnit.net 00:00:00.18] Starting: DecentDB.Tests
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.734, 376298547419235, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"[xUnit.net 00:00:00.18] Starting: DecentDB.Tests"}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.734, 376298547483335, testhost.dll, MulticastDelegateUtilities.SafeInvoke: TestRunMessageLoggerProxy.SendMessage: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Execution.RunTestsWithSources., took 0 ms.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.765, 376298578543766, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.766, 376298579473312, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.EdgeCaseTests.GuidParameterBinding.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.766, 376298579570384, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.766, 376298579634013, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.766, 376298579692563, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.ColumnMetadata.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.766, 376298579756804, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.766, 376298579812398, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.766, 376298579866510, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.766, 376298579943525, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.766, 376298579989731, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.768, 376298581538730, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.814, 376298627583392, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[],"TestRunStatistics":{"ExecutedTests":0,"Stats":{}},"ActiveTests":[{"Id":"9da410e1-02c3-a7f2-b5f7-c6d0a62fb2af","FullyQualifiedName":"DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent","DisplayName":"DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestSqlExecutingEvent"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8e64ae06008876f5e95ae4595cdffbdc29e66bb5"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ObservabilityTests"}]},{"Id":"0d920d3f-54e6-2905-f377-142f1404058d","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.GuidParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.GuidParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GuidParameterBinding"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"01a5f0a3317e5466c242e67476b8e1266c179542"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"404f983d-a97c-36e9-fb05-84e8ea89a985","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Native_SetLibraryPath_WithInvalidPath_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"06f9f614cb783630d81f2848bfda8800f2a4b807"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"988e568b-674f-7344-d156-3bd2213c8ebc","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_CanExecuteSampleQueries"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23619543aa3f794620b7fdb323af2b2479f4c645"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"f04170a2-478f-2f83-d94f-fb1af8db0f8c","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.ColumnMetadata","DisplayName":"DecentDB.Tests.NativeLayerTests.ColumnMetadata","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ColumnMetadata"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"06f2fd2e6b8204d918eacd89fafcb34c03950fcc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"13bfed11-d8a3-c3f7-bb22-1a976bbc4d97","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds","DisplayName":"DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"33502a6142b40161db00180ef7bec8209e363b26"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},{"Id":"27473ec4-9ff3-dc09-c5d3-8264915b4891","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_WithDifferentEntityTypes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"04a26d50f2980c51dac96819fb7eadfa54cba0ec"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"d9444345-34d8-ae97-36b5-5e21b1c2159a","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindMultipleTypesInSingleStatement"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0b819ef1f1ef630994e60062bebeb06b862606fd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"580b490c-3a3e-9e41-4e87-029494003674","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase","DisplayName":"DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenAndCloseDatabase"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"093da95ac1791a1c84b554c4eabce1f0f89bc19b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},{"Id":"c9e374cd-dc7e-6d7a-406b-aef25231a306","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Handles_Pooling_Option_From_ConnectionString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2ed91cb9cfbed131380fa8648421bb3dda10d57e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.814, 376298627808114, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.814, 376298627935232, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.814, 376298628007458, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DapperIntegrationTests.TestDapperScalar.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.814, 376298628072480, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.815, 376298628142752, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.815, 376298628200551, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DmlTests.SelectWithPositionalParameters.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.815, 376298628256416, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DataReaderTests.FieldCountAndNames.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.815, 376298628317801, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.815, 376298628386971, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_ReturnsActualMetrics.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.815, 376298628449769, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecimalTests.Decimal_Text_Interop.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.815, 376298628512226, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.815, 376298628582578, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.816, 376298629201010, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[],"TestRunStatistics":{"ExecutedTests":0,"Stats":{}},"ActiveTests":[{"Id":"7d57e49c-bb58-e2e3-4627-88846ba06163","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ConnectionString_WhileOpen_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02d47efb85b0839d1893bfe623d60594d4f78180"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"eef85a2c-8dcf-89ea-5828-78e763cef34d","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperScalar","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperScalar","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperScalar"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"18c05465f695461bcaa8720adfd4db8911dca4bc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},{"Id":"0314bf26-828b-18e2-0966-160886b3d039","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstAsync_With_No_Results_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02ef566fe97ce0688a500cb1037caf73165cb714"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"e32432ad-c183-d674-9c3d-e182d698fdfd","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters","DisplayName":"DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"QueryAsync_WithParameters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"17c906d994f909075c90a7527776dc4ce37219aa"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"56734fb1-3027-aead-4696-55c05a9ddd5b","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithPositionalParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithPositionalParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithPositionalParameters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0395970922ecbe42c094c2e5cc03bbc5906a10a4"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},{"Id":"f1c09723-74a2-e398-1769-da8a7d1e4ad8","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.FieldCountAndNames","DisplayName":"DecentDB.Tests.DataReaderTests.FieldCountAndNames","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FieldCountAndNames"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"20ece292f1c52b72e2c6826f4cab60fac056c35f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"083de63e-ad5d-8c4a-393e-e04e8648f1a6","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip","DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllTypes_NullValues_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02bd17544389aca255e56977e297862bee13c361"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"3176e6c1-0df4-9e16-8476-a570df2e2b2a","FullyQualifiedName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_ReturnsActualMetrics","DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_ReturnsActualMetrics","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExplainAnalyze_ReturnsActualMetrics"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1856434b338161c75416361bcb12c6eea411c29b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ExplainAnalyzeTests"}]},{"Id":"c8eb4232-bf9c-61ff-49c8-e91c969811d7","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_Text_Interop","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Text_Interop","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_Text_Interop"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"802ec798dd83b575224a6167a843c9f2c11f5ba0"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},{"Id":"6615070c-f6d6-59c1-d309-2604309d724a","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_RowsAffected_AfterOperations"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0c61f0e4e49384a986cead1b9be615eb7eb25b68"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.816, 376298629332166, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.816, 376298629405724, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.816, 376298629463763, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.TransactionTests.CommitTransaction.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.836, 376298649585091, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.840, 376298653742148, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.840, 376298653994192, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.841, 376298654458984, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.841, 376298654545717, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.841, 376298654568260, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.841, 376298654615789, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.841, 376298654638472, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.841, 376298654681923, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.841, 376298654702893, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.844, 376298657336699, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.844, 376298657899826, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.844, 376298657965901, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.844, 376298658011807, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.844, 376298658052774, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.846, 376298659639644, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.846, 376298659723150, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.846, 376298659781380, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.846, 376298660024366, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.857, 376298670593063, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"404f983d-a97c-36e9-fb05-84e8ea89a985","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Native_SetLibraryPath_WithInvalidPath_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"06f9f614cb783630d81f2848bfda8800f2a4b807"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.Native_SetLibraryPath_WithInvalidPath_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0071794","StartTime":"2026-02-08T22:26:58.8240671+00:00","EndTime":"2026-02-08T22:26:58.8280819+00:00","Properties":[]},{"TestCase":{"Id":"988e568b-674f-7344-d156-3bd2213c8ebc","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_CanExecuteSampleQueries"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23619543aa3f794620b7fdb323af2b2479f4c645"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_CanExecuteSampleQueries","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0054576","StartTime":"2026-02-08T22:26:58.8240081+00:00","EndTime":"2026-02-08T22:26:58.8322161+00:00","Properties":[]},{"TestCase":{"Id":"7d57e49c-bb58-e2e3-4627-88846ba06163","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ConnectionString_WhileOpen_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02d47efb85b0839d1893bfe623d60594d4f78180"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_WhileOpen_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0078684","StartTime":"2026-02-08T22:26:58.8241646+00:00","EndTime":"2026-02-08T22:26:58.8328411+00:00","Properties":[]},{"TestCase":{"Id":"c9e374cd-dc7e-6d7a-406b-aef25231a306","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Handles_Pooling_Option_From_ConnectionString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2ed91cb9cfbed131380fa8648421bb3dda10d57e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Handles_Pooling_Option_From_ConnectionString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0070741","StartTime":"2026-02-08T22:26:58.8240485+00:00","EndTime":"2026-02-08T22:26:58.8320877+00:00","Properties":[]},{"TestCase":{"Id":"580b490c-3a3e-9e41-4e87-029494003674","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase","DisplayName":"DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenAndCloseDatabase"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"093da95ac1791a1c84b554c4eabce1f0f89bc19b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ConnectionTests.OpenAndCloseDatabase","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0095951","StartTime":"2026-02-08T22:26:58.8240874+00:00","EndTime":"2026-02-08T22:26:58.8328955+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":5,"Stats":{"Passed":5}},"ActiveTests":[{"Id":"13084293-ca92-f864-ea8c-7b9cb3f67d7e","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder","DisplayName":"DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamAsync_YieldsRowsInOrder"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2199a4e589b4a7eeb2e74f21bd026a28e61b6ae4"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"3d316a0a-d17e-1771-78f9-a907cc267385","FullyQualifiedName":"DecentDB.Tests.TransactionTests.CommitTransaction","DisplayName":"DecentDB.Tests.TransactionTests.CommitTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CommitTransaction"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26e906cc48f24a36282a676bbdddf963066cb325"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},{"Id":"61dfa170-4f18-6ac0-c503-ffec7e873f58","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Derived_Context_Initialization_Works"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3c474f14ebfb33becd69babb779ad4509ad36097"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"26ae9605-9d18-4654-8884-41193f2f6714","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"31b9bd5c35cae1320275480edea3ac1c1bfe4670"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"2be4cc16-afa5-9f40-e35b-0d92b0abadb3","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnInvalidBindIndex"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"267e138a93fd5478f76212318b8547167eb37072"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.857, 376298670826491, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.857, 376298670953209, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.858, 376298671355585, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.858, 376298671646922, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.858, 376298671692297, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.858, 376298671755566, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.858, 376298671872396, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.858, 376298672112076, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.859, 376298672147302, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.859, 376298672197616, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.859, 376298672288818, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Full_ConnectionString.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.859, 376298672520102, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Full_ConnectionString.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.859, 376298672741247, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Full_ConnectionString execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.859, 376298672867274, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.859, 376298673017697, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.859, 376298673045629, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.859, 376298673078631, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.865, 376298678747407, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.866, 376298679137961, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.866, 376298679198224, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.866, 376298679278074, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.866, 376298679301558, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.868, 376298681215753, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"26ae9605-9d18-4654-8884-41193f2f6714","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"31b9bd5c35cae1320275480edea3ac1c1bfe4670"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_JoinQuery_CanStreamRows_NoCrash","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0013507","StartTime":"2026-02-08T22:26:58.8579841+00:00","EndTime":"2026-02-08T22:26:58.8584608+00:00","Properties":[]},{"TestCase":{"Id":"61dfa170-4f18-6ac0-c503-ffec7e873f58","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Derived_Context_Initialization_Works"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3c474f14ebfb33becd69babb779ad4509ad36097"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Derived_Context_Initialization_Works","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0018541","StartTime":"2026-02-08T22:26:58.8579516+00:00","EndTime":"2026-02-08T22:26:58.8589412+00:00","Properties":[]},{"TestCase":{"Id":"af1ac831-acb2-04d9-19de-bc661c24b365","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Full_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Full_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Accepts_Full_ConnectionString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4a6dfd8c3bc96d200df31ac9b1f1fd7f2bf1a90d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Full_ConnectionString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001850","StartTime":"2026-02-08T22:26:58.8592175+00:00","EndTime":"2026-02-08T22:26:58.8593561+00:00","Properties":[]},{"TestCase":{"Id":"6615070c-f6d6-59c1-d309-2604309d724a","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_RowsAffected_AfterOperations"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0c61f0e4e49384a986cead1b9be615eb7eb25b68"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_RowsAffected_AfterOperations","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0138214","StartTime":"2026-02-08T22:26:58.822679+00:00","EndTime":"2026-02-08T22:26:58.8598522+00:00","Properties":[]},{"TestCase":{"Id":"10c35701-ac33-d093-20c4-f054cc4cf0bd","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"32aa8abc882ce88a54eb613696adf58e1cf3cd6a"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_MatchesSqlite_WhenEnabled","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set DECENTDB_COMPARE_MELODEE_SQLITE=1 to enable SQLite comparisons\n"}],"ComputerName":"batman","Duration":"00:00:00.0010054","StartTime":"2026-02-08T22:26:58.8588043+00:00","EndTime":"2026-02-08T22:26:58.8659664+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":10,"Stats":{"Passed":10}},"ActiveTests":[{"Id":"4b0fb72d-f3f2-d455-6b58-8e7370145558","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds","DisplayName":"DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenWithCacheSizeMb_Succeeds"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"22bfa09aa29aa278b7c5baa0d2f20acb0b86eafe"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},{"Id":"c0499a1e-eef9-7aef-e340-2452501f0717","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Checkpoint_WhenClosed_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"05d550dce7c9c24a35a03655b6cd79f610626f72"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"94a4ac31-7527-aae2-b45b-0b8dbd09284c","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Non_Pooled_Mode_Works"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4e4fd70a7815457e2bfe4f1ea99fe5e9a241c1af"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"d3ce7169-4a26-d8b8-f96f-f36575efb718","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_Dispose_MultipleTimes_DoesNotThrow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"200ce5c8bf729867f13b1db02c2e56f646a3fedb"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"b08f6b19-eeeb-7313-47fe-ba1f8344f6f8","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4f2dc9c0c59b5190a7787ba9049e13acf26280a9"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.868, 376298681382275, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.868, 376298681605104, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DataReaderTests.FieldCountAndNames.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.868, 376298681642083, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.868, 376298681661820, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DataReaderTests.FieldCountAndNames' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.868, 376298681712956, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DataReaderTests.FieldCountAndNames execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.868, 376298681736090, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.868, 376298681835266, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.868, 376298682027778, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.868, 376298682063535, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.868, 376298682117847, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.869, 376298682227793, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_LastErrorCodeAndMessage_AfterOperation.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.869, 376298682478995, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.ColumnMetadata.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.869, 376298682525302, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.ColumnMetadata' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.869, 376298682584473, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.ColumnMetadata execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.869, 376298682716962, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.869, 376298682924963, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_LastErrorCodeAndMessage_AfterOperation.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.869, 376298683002558, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_LastErrorCodeAndMessage_AfterOperation execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.870, 376298683128855, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.870, 376298683402459, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.870, 376298683441663, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.870, 376298683500363, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.870, 376298683607945, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.870, 376298683826646, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.870, 376298683865128, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent' in inProgress list.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.870, 376298683890666, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.871, 376298684617621, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"f1c09723-74a2-e398-1769-da8a7d1e4ad8","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.FieldCountAndNames","DisplayName":"DecentDB.Tests.DataReaderTests.FieldCountAndNames","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FieldCountAndNames"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"20ece292f1c52b72e2c6826f4cab60fac056c35f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.FieldCountAndNames","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0142336","StartTime":"2026-02-08T22:26:58.8227222+00:00","EndTime":"2026-02-08T22:26:58.8684224+00:00","Properties":[]},{"TestCase":{"Id":"d3ce7169-4a26-d8b8-f96f-f36575efb718","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_Dispose_MultipleTimes_DoesNotThrow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"200ce5c8bf729867f13b1db02c2e56f646a3fedb"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Dispose_MultipleTimes_DoesNotThrow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003561","StartTime":"2026-02-08T22:26:58.8658424+00:00","EndTime":"2026-02-08T22:26:58.8688638+00:00","Properties":[]},{"TestCase":{"Id":"f04170a2-478f-2f83-d94f-fb1af8db0f8c","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.ColumnMetadata","DisplayName":"DecentDB.Tests.NativeLayerTests.ColumnMetadata","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ColumnMetadata"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"06f2fd2e6b8204d918eacd89fafcb34c03950fcc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.ColumnMetadata","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0147995","StartTime":"2026-02-08T22:26:58.8227609+00:00","EndTime":"2026-02-08T22:26:58.8692877+00:00","Properties":[]},{"TestCase":{"Id":"002469d1-f74d-1089-97bc-9c9f7ab7b092","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_LastErrorCodeAndMessage_AfterOperation","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_LastErrorCodeAndMessage_AfterOperation","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_LastErrorCodeAndMessage_AfterOperation"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26a575d3d8a2caa494b02750d97a831acdfcdf30"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_LastErrorCodeAndMessage_AfterOperation","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004102","StartTime":"2026-02-08T22:26:58.8691631+00:00","EndTime":"2026-02-08T22:26:58.8697567+00:00","Properties":[]},{"TestCase":{"Id":"c0499a1e-eef9-7aef-e340-2452501f0717","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Checkpoint_WhenClosed_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"05d550dce7c9c24a35a03655b6cd79f610626f72"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenClosed_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0028046","StartTime":"2026-02-08T22:26:58.8582927+00:00","EndTime":"2026-02-08T22:26:58.8702337+00:00","Properties":[]},{"TestCase":{"Id":"9da410e1-02c3-a7f2-b5f7-c6d0a62fb2af","FullyQualifiedName":"DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent","DisplayName":"DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestSqlExecutingEvent"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8e64ae06008876f5e95ae4595cdffbdc29e66bb5"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ObservabilityTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0189422","StartTime":"2026-02-08T22:26:58.8239635+00:00","EndTime":"2026-02-08T22:26:58.8706599+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":16,"Stats":{"Passed":16}},"ActiveTests":[{"Id":"1ea70c90-97c4-739f-13ad-aad05b7650c7","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly","DisplayName":"DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamingBehaviorForwardOnly"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4a1c52b1942082c0768862284a6ca143aafba6cd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"03a3912c-ccbf-fee9-74ca-df73290ba8f8","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows","DisplayName":"DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenInvalidPathThrows"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"08f040027952bb5eebc7febdb0846383a51bf242"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"90220754-ac70-a9f3-af99-ca3bae35016a","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Reset_ClearBindings_Chain"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"278dbb57acbb0d8228b32142229b01ffb77fdf20"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"737a1830-b03a-98da-3d55-e1cdaa4398de","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBTransaction_Rollback_ThenDispose"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0699355c5effdbb4780832e505e3aafca990042c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.871, 376298684785146, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.871, 376298684856149, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.ObservabilityTests.TestSqlExecutingEvent execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.871, 376298684881808, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.871, 376298685025467, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.871, 376298685064300, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.871, 376298685083787, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.872, 376298685132248, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.872, 376298685153688, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.872, 376298685248466, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.872, 376298685497464, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.872, 376298685531177, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.872, 376298685580730, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.872, 376298685686569, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.872, 376298685888699, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.872, 376298685926960, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.872, 376298685983747, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.872, 376298686101238, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.873, 376298686319127, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.873, 376298686353471, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.873, 376298686412112, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.873, 376298686533469, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.873, 376298686754134, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.873, 376298686793217, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.873, 376298686849092, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.873, 376298686957065, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.873, 376298686989776, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.874, 376298687656428, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"b08f6b19-eeeb-7313-47fe-ba1f8344f6f8","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4f2dc9c0c59b5190a7787ba9049e13acf26280a9"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_PrintsPercentiles_OptionalAssertion","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0019834","StartTime":"2026-02-08T22:26:58.8683298+00:00","EndTime":"2026-02-08T22:26:58.8718569+00:00","Properties":[]},{"TestCase":{"Id":"03a3912c-ccbf-fee9-74ca-df73290ba8f8","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows","DisplayName":"DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenInvalidPathThrows"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"08f040027952bb5eebc7febdb0846383a51bf242"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.OpenInvalidPathThrows","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014345","StartTime":"2026-02-08T22:26:58.8696622+00:00","EndTime":"2026-02-08T22:26:58.8723304+00:00","Properties":[]},{"TestCase":{"Id":"4b0fb72d-f3f2-d455-6b58-8e7370145558","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds","DisplayName":"DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenWithCacheSizeMb_Succeeds"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"22bfa09aa29aa278b7c5baa0d2f20acb0b86eafe"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ConnectionTests.OpenWithCacheSizeMb_Succeeds","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0046466","StartTime":"2026-02-08T22:26:58.8580119+00:00","EndTime":"2026-02-08T22:26:58.8727165+00:00","Properties":[]},{"TestCase":{"Id":"90220754-ac70-a9f3-af99-ca3bae35016a","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Reset_ClearBindings_Chain"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"278dbb57acbb0d8228b32142229b01ffb77fdf20"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Reset_ClearBindings_Chain","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017752","StartTime":"2026-02-08T22:26:58.8700904+00:00","EndTime":"2026-02-08T22:26:58.8731545+00:00","Properties":[]},{"TestCase":{"Id":"737a1830-b03a-98da-3d55-e1cdaa4398de","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBTransaction_Rollback_ThenDispose"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0699355c5effdbb4780832e505e3aafca990042c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Rollback_ThenDispose","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0018053","StartTime":"2026-02-08T22:26:58.8705504+00:00","EndTime":"2026-02-08T22:26:58.8735853+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":21,"Stats":{"Passed":21}},"ActiveTests":[{"Id":"c58adb59-300d-820c-7bea-8933c88b0d21","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"798c3f574bdc9d70c46f57de0be0460de047f215"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"f3f2777c-6705-3f90-3b16-3fea07f21d8a","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FloatBindingAndRetrieval"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"14da6fa89b5eb0d57dd5e1079fb4438bf4143c07"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"8f198fab-226e-9a6c-9ca2-2dcfb24fb5db","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached","DisplayName":"DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SqlObservability_EventsFire_WhenHandlersAttached"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"61f827278ca1b6e60b00f65d942e2ff5d6120c3e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},{"Id":"966f5338-86b3-07e2-a675-6f5f99d39d12","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_EmptyArray"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2d6e410b5b58aca60abf285ed3044ebf0c9224ee"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"4e7b4d6b-d993-9cae-7f6b-8d428d1f8775","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DbConnection_SetterGetter"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0ca3cf4e0ee638bb5510906957619ba2eb238899"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.874, 376298687791181, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.874, 376298687999933, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.874, 376298688032064, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.874, 376298688052342, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.874, 376298688112515, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.875, 376298688138734, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.875, 376298688233642, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.875, 376298688438728, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.875, 376298688475597, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.875, 376298688536191, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.875, 376298688636489, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.NullHandling.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.875, 376298688834811, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.TransactionTests.CommitTransaction.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.875, 376298688884134, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.TransactionTests.CommitTransaction' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.875, 376298688945599, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.TransactionTests.CommitTransaction execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.875, 376298689079611, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.TransactionTests.RollbackTransaction.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.876, 376298689448484, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.876, 376298689506533, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.876, 376298689617822, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.876, 376298689797640, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.876, 376298689973901, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.NullHandling.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.876, 376298690022602, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.NullHandling execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.876, 376298690111950, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.PrepareStatement.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.877, 376298690227447, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.877, 376298690261110, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter' in inProgress list.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.877, 376298690277801, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.877, 376298690755739, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"c58adb59-300d-820c-7bea-8933c88b0d21","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"798c3f574bdc9d70c46f57de0be0460de047f215"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_AdoNet_FullSelect_CanReadValues_NoCrash","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0010964","StartTime":"2026-02-08T22:26:58.8722274+00:00","EndTime":"2026-02-08T22:26:58.8748298+00:00","Properties":[]},{"TestCase":{"Id":"f3f2777c-6705-3f90-3b16-3fea07f21d8a","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FloatBindingAndRetrieval"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"14da6fa89b5eb0d57dd5e1079fb4438bf4143c07"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.FloatBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014249","StartTime":"2026-02-08T22:26:58.872646+00:00","EndTime":"2026-02-08T22:26:58.8752726+00:00","Properties":[]},{"TestCase":{"Id":"3d316a0a-d17e-1771-78f9-a907cc267385","FullyQualifiedName":"DecentDB.Tests.TransactionTests.CommitTransaction","DisplayName":"DecentDB.Tests.TransactionTests.CommitTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CommitTransaction"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26e906cc48f24a36282a676bbdddf963066cb325"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TransactionTests.CommitTransaction","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0181117","StartTime":"2026-02-08T22:26:58.8241441+00:00","EndTime":"2026-02-08T22:26:58.8756674+00:00","Properties":[]},{"TestCase":{"Id":"2be4cc16-afa5-9f40-e35b-0d92b0abadb3","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnInvalidBindIndex"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"267e138a93fd5478f76212318b8547167eb37072"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidBindIndex","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0069856","StartTime":"2026-02-08T22:26:58.8579076+00:00","EndTime":"2026-02-08T22:26:58.8762613+00:00","Properties":[]},{"TestCase":{"Id":"12cdca0f-f1d8-b093-3fef-d9cd78c18aff","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.NullHandling","DisplayName":"DecentDB.Tests.NativeLayerTests.NullHandling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NullHandling"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26f3bea47cede0a4fd767f79554470213e0cd1c1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.NullHandling","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013629","StartTime":"2026-02-08T22:26:58.8755674+00:00","EndTime":"2026-02-08T22:26:58.8768066+00:00","Properties":[]},{"TestCase":{"Id":"4e7b4d6b-d993-9cae-7f6b-8d428d1f8775","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DbConnection_SetterGetter"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0ca3cf4e0ee638bb5510906957619ba2eb238899"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023706","StartTime":"2026-02-08T22:26:58.874734+00:00","EndTime":"2026-02-08T22:26:58.8770745+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":27,"Stats":{"Passed":27}},"ActiveTests":[{"Id":"d8d181a9-e6e4-0511-2d6f-9cb242977b29","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8fbd5a1178369575b5e56a49cb60796bb98f3cfb"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"5bf75d6b-382b-9760-3047-421eb53ffee1","FullyQualifiedName":"DecentDB.Tests.TransactionTests.RollbackTransaction","DisplayName":"DecentDB.Tests.TransactionTests.RollbackTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RollbackTransaction"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3258db74afe59290503805904087d5498939d672"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},{"Id":"4110b91c-02b2-c8c6-89e4-1067962ca4f1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnInvalidColumnIndex"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"49620625e6ba50412ba6d05da306f4d8efd208d2"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"534c36c8-c598-80b0-f3d3-c5e3ffd05cc1","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.PrepareStatement","DisplayName":"DecentDB.Tests.NativeLayerTests.PrepareStatement","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PrepareStatement"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"36b542da9e297f8a64cfa68c214e871aa8fdf3f8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.877, 376298690878890, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.877, 376298690940857, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbConnection_SetterGetter execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.877, 376298690957558, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.877, 376298691036156, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_DefaultConstructor_CreatesInstance.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.878, 376298691167973, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.878, 376298691189994, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.878, 376298691225140, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.878, 376298691293439, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.878, 376298691421209, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.878, 376298691445514, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.878, 376298691479899, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.878, 376298691543238, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.879, 376298692670685, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.879, 376298692712464, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.879, 376298692747940, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.879, 376298692814215, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.879, 376298692886410, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.PrepareStatement.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.879, 376298692906408, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.PrepareStatement' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.879, 376298692937637, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.PrepareStatement execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.879, 376298693032264, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.OpenNativeDatabase.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.880, 376298693171446, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_DefaultConstructor_CreatesInstance.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.880, 376298693209167, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_DefaultConstructor_CreatesInstance execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.880, 376298693271544, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.880, 376298693291030, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.880, 376298693716078, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"966f5338-86b3-07e2-a675-6f5f99d39d12","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_EmptyArray"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2d6e410b5b58aca60abf285ed3044ebf0c9224ee"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_EmptyArray","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0029427","StartTime":"2026-02-08T22:26:58.8734752+00:00","EndTime":"2026-02-08T22:26:58.8780148+00:00","Properties":[]},{"TestCase":{"Id":"d8d181a9-e6e4-0511-2d6f-9cb242977b29","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8fbd5a1178369575b5e56a49cb60796bb98f3cfb"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_CanExecuteSampleQueries","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0023544","StartTime":"2026-02-08T22:26:58.8751654+00:00","EndTime":"2026-02-08T22:26:58.8782696+00:00","Properties":[]},{"TestCase":{"Id":"4110b91c-02b2-c8c6-89e4-1067962ca4f1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnInvalidColumnIndex"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"49620625e6ba50412ba6d05da306f4d8efd208d2"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnInvalidColumnIndex","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012733","StartTime":"2026-02-08T22:26:58.8767247+00:00","EndTime":"2026-02-08T22:26:58.8795128+00:00","Properties":[]},{"TestCase":{"Id":"534c36c8-c598-80b0-f3d3-c5e3ffd05cc1","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.PrepareStatement","DisplayName":"DecentDB.Tests.NativeLayerTests.PrepareStatement","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PrepareStatement"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"36b542da9e297f8a64cfa68c214e871aa8fdf3f8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.PrepareStatement","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009649","StartTime":"2026-02-08T22:26:58.8770571+00:00","EndTime":"2026-02-08T22:26:58.879736+00:00","Properties":[]},{"TestCase":{"Id":"0e74b06d-d2b9-fbd5-e14a-58324a742c9f","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_DefaultConstructor_CreatesInstance","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_DefaultConstructor_CreatesInstance","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_DefaultConstructor_CreatesInstance"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0fed60dcda6d7550abe0cd80ab311b8567458133"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_DefaultConstructor_CreatesInstance","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010361","StartTime":"2026-02-08T22:26:58.8779476+00:00","EndTime":"2026-02-08T22:26:58.8800196+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":32,"Stats":{"Passed":32}},"ActiveTests":[{"Id":"9defafa8-67ef-1872-9545-8181757c16fd","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindText_NullString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5c8a16ba09814f1e965c6b5726263cb1e2ba4eeb"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"c16054e6-f41c-24e3-5eb6-d034a6febd65","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"aaa3f289adf1f647c8a4c070c2461babb99835cd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"21ee4efa-c806-f8b3-0504-ffdec398eb4e","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView_IndexOutOfRange_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4de1b95ab9747f9e9f0d37e44a77a38a0a536017"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"fa010b0b-77f1-b664-2a0f-de813da744a3","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.OpenNativeDatabase","DisplayName":"DecentDB.Tests.NativeLayerTests.OpenNativeDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenNativeDatabase"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"400dc9ba8005e7c3f52c7c0f50d9fe52d4f1ae00"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"a4a52f5e-0a3d-ab63-0baa-640951fa4a20","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Tables_ReturnsCreatedTables"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"164a380f8320f3a6f2331fa3934e76c7095ccd88"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.880, 376298693832698, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.880, 376298693974344, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.880, 376298694000773, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.880, 376298694016733, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.880, 376298694056999, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.880, 376298694076495, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.881, 376298694156145, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.881, 376298694286760, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.OpenNativeDatabase.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.881, 376298694308010, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.OpenNativeDatabase' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.881, 376298694338658, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.OpenNativeDatabase execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.881, 376298694400794, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.BindAndStep.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.881, 376298694524557, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.881, 376298694567788, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.881, 376298694631027, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDBException_Properties_AreCorrect.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.881, 376298694755400, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.BindAndStep.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.881, 376298694796047, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.BindAndStep execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.881, 376298694876828, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.881, 376298694936040, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.881, 376298694958111, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.881, 376298694991003, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.881, 376298695086001, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.882, 376298695227236, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDBException_Properties_AreCorrect.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.882, 376298695264667, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDBException_Properties_AreCorrect execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.882, 376298695328497, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.882, 376298695466977, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.882, 376298695489379, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly' in inProgress list.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.882, 376298695503145, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.882, 376298695931960, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"9defafa8-67ef-1872-9545-8181757c16fd","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindText_NullString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5c8a16ba09814f1e965c6b5726263cb1e2ba4eeb"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_NullString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009094","StartTime":"2026-02-08T22:26:58.8782059+00:00","EndTime":"2026-02-08T22:26:58.8808197+00:00","Properties":[]},{"TestCase":{"Id":"fa010b0b-77f1-b664-2a0f-de813da744a3","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.OpenNativeDatabase","DisplayName":"DecentDB.Tests.NativeLayerTests.OpenNativeDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenNativeDatabase"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"400dc9ba8005e7c3f52c7c0f50d9fe52d4f1ae00"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.OpenNativeDatabase","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006610","StartTime":"2026-02-08T22:26:58.8799558+00:00","EndTime":"2026-02-08T22:26:58.8811359+00:00","Properties":[]},{"TestCase":{"Id":"5bb37227-60e5-63bc-c7d7-a3321e749a8c","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindText_EmptyString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6137ccf0f4d259919eb0e13f5cdb2c30f74f172a"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindText_EmptyString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009838","StartTime":"2026-02-08T22:26:58.8810705+00:00","EndTime":"2026-02-08T22:26:58.8813749+00:00","Properties":[]},{"TestCase":{"Id":"024120ea-faa1-6633-6c29-442558086e66","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.BindAndStep","DisplayName":"DecentDB.Tests.NativeLayerTests.BindAndStep","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"BindAndStep"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"49431ff465f661e4446e80d1babfaaba3c2bba10"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.BindAndStep","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009927","StartTime":"2026-02-08T22:26:58.8813104+00:00","EndTime":"2026-02-08T22:26:58.8816062+00:00","Properties":[]},{"TestCase":{"Id":"c16054e6-f41c-24e3-5eb6-d034a6febd65","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"aaa3f289adf1f647c8a4c070c2461babb99835cd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_PrintsPercentiles_OptionalAssertion","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0021373","StartTime":"2026-02-08T22:26:58.8794263+00:00","EndTime":"2026-02-08T22:26:58.8817856+00:00","Properties":[]},{"TestCase":{"Id":"d9c3619b-27db-b0e3-056d-9f0d12fcf89c","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDBException_Properties_AreCorrect","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDBException_Properties_AreCorrect","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBException_Properties_AreCorrect"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"68e142e067127d5f1025782020a62c838020977a"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDBException_Properties_AreCorrect","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003454","StartTime":"2026-02-08T22:26:58.8815425+00:00","EndTime":"2026-02-08T22:26:58.8820765+00:00","Properties":[]},{"TestCase":{"Id":"1ea70c90-97c4-739f-13ad-aad05b7650c7","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly","DisplayName":"DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamingBehaviorForwardOnly"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4a1c52b1942082c0768862284a6ca143aafba6cd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0086707","StartTime":"2026-02-08T22:26:58.8687668+00:00","EndTime":"2026-02-08T22:26:58.8823174+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":39,"Stats":{"Passed":39}},"ActiveTests":[{"Id":"99cfd983-88e3-52e0-a21b-8b07ef09d1a5","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip","DisplayName":"DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UuidColumnRoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"585f9167e3850261bee0096b801d6dd4e88ebeb7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"ce0cc021-e65a-2c9d-b4aa-84e6888db5f9","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bbd16d87849448f2c873ac1e0738f772f63d4e77"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"ff812fa2-4e7b-3302-b38f-bb8feaaaa1a8","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_Checkpoint_Success"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6f6346a5c18d2f6e13613a222a86d5f08e0cc0a8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.882, 376298696025926, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.882, 376298696068126, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DataReaderTests.StreamingBehaviorForwardOnly execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.882, 376298696084146, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.883, 376298696148617, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DataReaderTests.GetBytes.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.883, 376298696290543, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.883, 376298696320099, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.883, 376298696362298, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.883, 376298696449833, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.883, 376298696623579, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.883, 376298696658334, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.883, 376298696710682, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.883, 376298696798998, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.883, 376298696975901, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.883, 376298697010526, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.883, 376298697059728, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.884, 376298697155207, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.885, 376298698189820, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.885, 376298698227311, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.885, 376298698262777, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.885, 376298698332719, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.885, 376298698406688, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DataReaderTests.GetBytes.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.885, 376298698450099, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DataReaderTests.GetBytes execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.885, 376298698564935, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DataReaderTests.GetOrdinal.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.885, 376298698587026, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.885, 376298699008718, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"083de63e-ad5d-8c4a-393e-e04e8648f1a6","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip","DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllTypes_NullValues_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02bd17544389aca255e56977e297862bee13c361"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_NullValues_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0232692","StartTime":"2026-02-08T22:26:58.8227412+00:00","EndTime":"2026-02-08T22:26:58.8831318+00:00","Properties":[]},{"TestCase":{"Id":"ff812fa2-4e7b-3302-b38f-bb8feaaaa1a8","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_Checkpoint_Success"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6f6346a5c18d2f6e13613a222a86d5f08e0cc0a8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.DecentDB_Checkpoint_Success","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014416","StartTime":"2026-02-08T22:26:58.8822388+00:00","EndTime":"2026-02-08T22:26:58.8834654+00:00","Properties":[]},{"TestCase":{"Id":"ce0cc021-e65a-2c9d-b4aa-84e6888db5f9","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bbd16d87849448f2c873ac1e0738f772f63d4e77"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_MicroOrm_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0026698","StartTime":"2026-02-08T22:26:58.8820133+00:00","EndTime":"2026-02-08T22:26:58.8838168+00:00","Properties":[]},{"TestCase":{"Id":"21ee4efa-c806-f8b3-0504-ffdec398eb4e","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView_IndexOutOfRange_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4de1b95ab9747f9e9f0d37e44a77a38a0a536017"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.RowView_IndexOutOfRange_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0048455","StartTime":"2026-02-08T22:26:58.8798459+00:00","EndTime":"2026-02-08T22:26:58.8850295+00:00","Properties":[]},{"TestCase":{"Id":"9e485601-5e02-da40-50e5-16d0e67ac725","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetBytes","DisplayName":"DecentDB.Tests.DataReaderTests.GetBytes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetBytes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4eb957d143f425b477fdfc8bd4b5dadd388ca5b5"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetBytes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020297","StartTime":"2026-02-08T22:26:58.8830636+00:00","EndTime":"2026-02-08T22:26:58.8852561+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":44,"Stats":{"Passed":44}},"ActiveTests":[{"Id":"c7543263-208d-66da-7125-b875115ef526","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes","DisplayName":"DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Blob_VariousSizes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"08fd838d4b8aa0af45aa74be01f0a8cfa2ad0839"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"17616c75-369d-a6d4-5c45-5d7d892e0a90","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView_IndexOutOfRange_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7ac623f7e5d51b770300b248f7da4efa5f61de68"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"d4197c5e-e15c-1693-bdc5-6533f4e1e7fc","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c35f553fdc71ae71292c0ad54f081838748fdabf"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"2ff10c55-6c5e-a28a-3adb-e82cd2ec7e67","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_LargeButValidValue_Works"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"608e20f42eed74c6aa5a9a103379ac67ac4d4ed7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"ad748703-0637-4c65-bf99-d45ccf0b6224","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetOrdinal","DisplayName":"DecentDB.Tests.DataReaderTests.GetOrdinal","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetOrdinal"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"57fa2da4dfe475cf92f6b05d98890db65e7f42a6"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.886, 376298699145796, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.886, 376298699327216, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.886, 376298699352434, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.886, 376298699365699, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.886, 376298699397138, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.886, 376298699411585, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.886, 376298699474503, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AllDataTypesTests.Text_Unicode.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.886, 376298699569882, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.886, 376298699660402, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.886, 376298699684107, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.886, 376298699715065, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.886, 376298699778714, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.886, 376298699905542, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.TransactionTests.RollbackTransaction.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.886, 376298699927874, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.TransactionTests.RollbackTransaction' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.886, 376298699958101, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.TransactionTests.RollbackTransaction execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.886, 376298700025858, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.887, 376298700154390, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.887, 376298700176191, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.887, 376298700208451, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.887, 376298700270698, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.887, 376298700398638, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.887, 376298700421151, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works' in inProgress list.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.887, 376298700436379, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.887, 376298700817816, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"c7543263-208d-66da-7125-b875115ef526","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes","DisplayName":"DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Blob_VariousSizes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"08fd838d4b8aa0af45aa74be01f0a8cfa2ad0839"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Blob_VariousSizes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017883","StartTime":"2026-02-08T22:26:58.8833739+00:00","EndTime":"2026-02-08T22:26:58.8861741+00:00","Properties":[]},{"TestCase":{"Id":"8f198fab-226e-9a6c-9ca2-2dcfb24fb5db","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached","DisplayName":"DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SqlObservability_EventsFire_WhenHandlersAttached"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"61f827278ca1b6e60b00f65d942e2ff5d6120c3e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ConnectionTests.SqlObservability_EventsFire_WhenHandlersAttached","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0089661","StartTime":"2026-02-08T22:26:58.8730406+00:00","EndTime":"2026-02-08T22:26:58.8865096+00:00","Properties":[]},{"TestCase":{"Id":"5bf75d6b-382b-9760-3047-421eb53ffee1","FullyQualifiedName":"DecentDB.Tests.TransactionTests.RollbackTransaction","DisplayName":"DecentDB.Tests.TransactionTests.RollbackTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RollbackTransaction"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3258db74afe59290503805904087d5498939d672"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TransactionTests.RollbackTransaction","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0073832","StartTime":"2026-02-08T22:26:58.8760235+00:00","EndTime":"2026-02-08T22:26:58.886755+00:00","Properties":[]},{"TestCase":{"Id":"17616c75-369d-a6d4-5c45-5d7d892e0a90","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView_IndexOutOfRange_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7ac623f7e5d51b770300b248f7da4efa5f61de68"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.RowView_IndexOutOfRange_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0022759","StartTime":"2026-02-08T22:26:58.8837222+00:00","EndTime":"2026-02-08T22:26:58.8870016+00:00","Properties":[]},{"TestCase":{"Id":"2ff10c55-6c5e-a28a-3adb-e82cd2ec7e67","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_LargeButValidValue_Works"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"608e20f42eed74c6aa5a9a103379ac67ac4d4ed7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009290","StartTime":"2026-02-08T22:26:58.8853628+00:00","EndTime":"2026-02-08T22:26:58.8872493+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":49,"Stats":{"Passed":49}},"ActiveTests":[{"Id":"7f2aada0-6a30-f5f7-f00c-479baec7b8ef","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Text_Unicode","DisplayName":"DecentDB.Tests.AllDataTypesTests.Text_Unicode","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Text_Unicode"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"199f7911d25301768ba228f6cd6e9defaada20f5"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"875da2b0-fd6d-f566-4d2d-5c2e980a8605","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_IsNotNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"091495c9323ecf6ef651bb1f55339e602c304684"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"b794905d-2c43-2f54-028a-8d4ac6400002","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase","DisplayName":"DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenNonExistentDatabase"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c2797006393d41ad5ff26849e7767ec0ea1cd9eb"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},{"Id":"452a856b-4253-4cc7-2300-72cbfe81feba","FullyQualifiedName":"DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot","DisplayName":"DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TransactionIsolationLevelSnapshot"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4496d126d7bc70421a85d9423799749dca9b7e06"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},{"Id":"2e53b425-7943-cdd8-98b6-d6ccdc5d1e9f","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnMetadata_NegativeIndex_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8a593324298317c9a92a0995a44c14a1f14cbc41"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.887, 376298700904719, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.887, 376298700948932, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_LargeButValidValue_Works execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.887, 376298700964421, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.887, 376298701028291, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.888, 376298701184955, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.888, 376298701207858, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.888, 376298701241041, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.888, 376298701316412, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.888, 376298701463278, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DataReaderTests.GetOrdinal.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.888, 376298701487103, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DataReaderTests.GetOrdinal' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.888, 376298701517860, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DataReaderTests.GetOrdinal execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.888, 376298701584425, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DataReaderTests.RecordsAffected.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.888, 376298701709971, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.888, 376298701733876, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.888, 376298701768481, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.888, 376298701830337, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.888, 376298701899968, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_ReturnsActualMetrics.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.888, 376298701920186, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_ReturnsActualMetrics' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.888, 376298701951495, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_ReturnsActualMetrics execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.888, 376298702064166, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.ExplainAnalyzeTests.Explain_WithoutAnalyze_NoActualMetrics.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.889, 376298702181256, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.889, 376298702206023, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws' in inProgress list.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.889, 376298702225539, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.889, 376298702662390, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"d4197c5e-e15c-1693-bdc5-6533f4e1e7fc","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c35f553fdc71ae71292c0ad54f081838748fdabf"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_ArtistIdsOnly_CanExecuteSampleQueries","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0015298","StartTime":"2026-02-08T22:26:58.8840835+00:00","EndTime":"2026-02-08T22:26:58.8880191+00:00","Properties":[]},{"TestCase":{"Id":"ad748703-0637-4c65-bf99-d45ccf0b6224","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetOrdinal","DisplayName":"DecentDB.Tests.DataReaderTests.GetOrdinal","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetOrdinal"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"57fa2da4dfe475cf92f6b05d98890db65e7f42a6"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetOrdinal","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013250","StartTime":"2026-02-08T22:26:58.886069+00:00","EndTime":"2026-02-08T22:26:58.8883093+00:00","Properties":[]},{"TestCase":{"Id":"13bfed11-d8a3-c3f7-bb22-1a976bbc4d97","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds","DisplayName":"DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"33502a6142b40161db00180ef7bec8209e363b26"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TypeMappingTests.DateTimeAndDateTimeOffset_AreUnixEpochMilliseconds","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0263928","StartTime":"2026-02-08T22:26:58.822526+00:00","EndTime":"2026-02-08T22:26:58.8885598+00:00","Properties":[]},{"TestCase":{"Id":"3176e6c1-0df4-9e16-8476-a570df2e2b2a","FullyQualifiedName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_ReturnsActualMetrics","DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_ReturnsActualMetrics","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExplainAnalyze_ReturnsActualMetrics"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1856434b338161c75416361bcb12c6eea411c29b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ExplainAnalyzeTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_ReturnsActualMetrics","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0264940","StartTime":"2026-02-08T22:26:58.8241075+00:00","EndTime":"2026-02-08T22:26:58.8887504+00:00","Properties":[]},{"TestCase":{"Id":"2e53b425-7943-cdd8-98b6-d6ccdc5d1e9f","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnMetadata_NegativeIndex_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8a593324298317c9a92a0995a44c14a1f14cbc41"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007684","StartTime":"2026-02-08T22:26:58.8871832+00:00","EndTime":"2026-02-08T22:26:58.8890315+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":54,"Stats":{"Passed":54}},"ActiveTests":[{"Id":"8aeecf70-e574-4b10-4997-f1477257b4f4","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ResetThrowsOnError"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"68a16c19ae772577713af6996ac45f54a6f3f48c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"7db36bec-bbb4-8c43-27e5-b85fdfb80bbd","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cd2b759ef17a179c1809dd80629413b0b89ef22b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},{"Id":"e98c3f1f-3796-bd93-e9f8-e0f2716463e2","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.RecordsAffected","DisplayName":"DecentDB.Tests.DataReaderTests.RecordsAffected","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RecordsAffected"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"616aeb6118e3e445ed252c25edb6bc74fd2146b0"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"754486ab-2a78-0e34-ed0e-27e202154c7e","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes","DisplayName":"DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MaxLength_UsesUtf8Bytes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"368b48cf4819579ca4fa59f4cf28731bfc026a0f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},{"Id":"171e3330-d48d-53a4-f4d0-185de2d41e4b","FullyQualifiedName":"DecentDB.Tests.ExplainAnalyzeTests.Explain_WithoutAnalyze_NoActualMetrics","DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.Explain_WithoutAnalyze_NoActualMetrics","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Explain_WithoutAnalyze_NoActualMetrics"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"42c5af21a124f1817ab4a97e61d2b852fd48bf2a"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ExplainAnalyzeTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.889, 376298702771334, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.889, 376298702828221, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_NegativeIndex_Throws execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.889, 376298702851154, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.889, 376298702931215, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.889, 376298703075045, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.889, 376298703097667, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.890, 376298703129888, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.890, 376298703184029, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecimalTests.Decimal_Text_Interop.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.890, 376298703207083, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DecimalTests.Decimal_Text_Interop' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.890, 376298703253911, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecimalTests.Decimal_Text_Interop execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.890, 376298703305247, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.890, 376298703394845, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.890, 376298703559695, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.890, 376298703587738, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.890, 376298703630558, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.890, 376298703718383, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.TransactionTests.AutoRollbackOnDispose.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.890, 376298703879676, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AllDataTypesTests.Text_Unicode.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.890, 376298703912778, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AllDataTypesTests.Text_Unicode' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.890, 376298703958574, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AllDataTypesTests.Text_Unicode execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.890, 376298704063511, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.891, 376298704200278, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DataReaderTests.RecordsAffected.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.891, 376298704224043, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DataReaderTests.RecordsAffected' in inProgress list.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.891, 376298704239752, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.891, 376298704651115, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"8aeecf70-e574-4b10-4997-f1477257b4f4","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ResetThrowsOnError"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"68a16c19ae772577713af6996ac45f54a6f3f48c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ResetThrowsOnError","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006274","StartTime":"2026-02-08T22:26:58.8879436+00:00","EndTime":"2026-02-08T22:26:58.8899228+00:00","Properties":[]},{"TestCase":{"Id":"c8eb4232-bf9c-61ff-49c8-e91c969811d7","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_Text_Interop","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Text_Interop","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_Text_Interop"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"802ec798dd83b575224a6167a843c9f2c11f5ba0"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Text_Interop","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0264951","StartTime":"2026-02-08T22:26:58.8239884+00:00","EndTime":"2026-02-08T22:26:58.8900344+00:00","Properties":[]},{"TestCase":{"Id":"452a856b-4253-4cc7-2300-72cbfe81feba","FullyQualifiedName":"DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot","DisplayName":"DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TransactionIsolationLevelSnapshot"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4496d126d7bc70421a85d9423799749dca9b7e06"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TransactionTests.TransactionIsolationLevelSnapshot","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012841","StartTime":"2026-02-08T22:26:58.8869361+00:00","EndTime":"2026-02-08T22:26:58.8904083+00:00","Properties":[]},{"TestCase":{"Id":"7f2aada0-6a30-f5f7-f00c-479baec7b8ef","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Text_Unicode","DisplayName":"DecentDB.Tests.AllDataTypesTests.Text_Unicode","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Text_Unicode"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"199f7911d25301768ba228f6cd6e9defaada20f5"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Text_Unicode","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0018238","StartTime":"2026-02-08T22:26:58.8863852+00:00","EndTime":"2026-02-08T22:26:58.8907165+00:00","Properties":[]},{"TestCase":{"Id":"e98c3f1f-3796-bd93-e9f8-e0f2716463e2","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.RecordsAffected","DisplayName":"DecentDB.Tests.DataReaderTests.RecordsAffected","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RecordsAffected"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"616aeb6118e3e445ed252c25edb6bc74fd2146b0"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.RecordsAffected","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008696","StartTime":"2026-02-08T22:26:58.8884952+00:00","EndTime":"2026-02-08T22:26:58.8910487+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":59,"Stats":{"Passed":59}},"ActiveTests":[{"Id":"71281565-e82b-a555-5809-49b9c5741e1f","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_GetDecimal_ZeroScale"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8f3b4a356435508e25548cbd6138ebba1f62af53"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"e49571e0-2cb5-c5bc-b2ae-713c2c5173a1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Getters_AfterDisposal"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6c38acfbdfdca62454f8d8a32881015c15fe80f2"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"086c8aef-d47c-95f1-6e30-dedcc5e17f2f","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_Overflow_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a305aca01152126cdbeac768aefcb672fbbf4e61"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},{"Id":"fdf5cc96-6734-c39c-7425-02409498c427","FullyQualifiedName":"DecentDB.Tests.TransactionTests.AutoRollbackOnDispose","DisplayName":"DecentDB.Tests.TransactionTests.AutoRollbackOnDispose","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AutoRollbackOnDispose"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4a51853ae46b32ce556934ed4735e8d013848487"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},{"Id":"620c5c7e-9611-4523-616d-fe0f7a9a7eb0","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues","DisplayName":"DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Int64_BoundaryValues"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"25cc9f44b191deb80d9d7ac6e7fc1c04f8f1ef92"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.891, 376298704751573, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.891, 376298704793833, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DataReaderTests.RecordsAffected execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.891, 376298704809823, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.891, 376298704873693, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DataReaderTests.HasRowsAndDepth.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.891, 376298705002975, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.891, 376298705024696, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.891, 376298705056316, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.891, 376298705118823, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.892, 376298705261541, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.892, 376298705282450, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.892, 376298705314521, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.892, 376298705378180, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.DoubleBindNull.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.892, 376298705503415, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.892, 376298705525146, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.892, 376298705557527, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.892, 376298705742444, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.EdgeCaseTests.GuidParameterBinding.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.892, 376298705775777, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.EdgeCaseTests.GuidParameterBinding' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.892, 376298705811253, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.EdgeCaseTests.GuidParameterBinding execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.892, 376298705884291, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.892, 376298706026758, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.ExplainAnalyzeTests.Explain_WithoutAnalyze_NoActualMetrics.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.892, 376298706048168, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.ExplainAnalyzeTests.Explain_WithoutAnalyze_NoActualMetrics' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.892, 376298706079026, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.ExplainAnalyzeTests.Explain_WithoutAnalyze_NoActualMetrics execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.893, 376298706139831, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_WithFilter_CorrectRowCount.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.893, 376298706157914, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.893, 376298706536776, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"e49571e0-2cb5-c5bc-b2ae-713c2c5173a1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Getters_AfterDisposal"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6c38acfbdfdca62454f8d8a32881015c15fe80f2"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_Getters_AfterDisposal","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007151","StartTime":"2026-02-08T22:26:58.8902467+00:00","EndTime":"2026-02-08T22:26:58.8918502+00:00","Properties":[]},{"TestCase":{"Id":"99cfd983-88e3-52e0-a21b-8b07ef09d1a5","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip","DisplayName":"DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UuidColumnRoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"585f9167e3850261bee0096b801d6dd4e88ebeb7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.UuidColumnRoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0057152","StartTime":"2026-02-08T22:26:58.8819131+00:00","EndTime":"2026-02-08T22:26:58.8921102+00:00","Properties":[]},{"TestCase":{"Id":"7db36bec-bbb4-8c43-27e5-b85fdfb80bbd","FullyQualifiedName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cd2b759ef17a179c1809dd80629413b0b89ef22b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MelodeeArtistSearchEngineIntegrationTests.MelodeeArtistSearch_Dapper_PerfSamples_IndexFriendly_PrintsPercentiles_OptionalAssertion","Messages":[{"Category":"StdOutMsgs","Text":"SKIP: set MELODEE_ARTIST_DDB to a Melodee-converted .ddb path to enable this test\n"}],"ComputerName":"batman","Duration":"00:00:00.0014493","StartTime":"2026-02-08T22:26:58.8882296+00:00","EndTime":"2026-02-08T22:26:58.8923532+00:00","Properties":[]},{"TestCase":{"Id":"0d920d3f-54e6-2905-f377-142f1404058d","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.GuidParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.GuidParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GuidParameterBinding"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"01a5f0a3317e5466c242e67476b8e1266c179542"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.GuidParameterBinding","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0278258","StartTime":"2026-02-08T22:26:58.8227037+00:00","EndTime":"2026-02-08T22:26:58.8925697+00:00","Properties":[]},{"TestCase":{"Id":"171e3330-d48d-53a4-f4d0-185de2d41e4b","FullyQualifiedName":"DecentDB.Tests.ExplainAnalyzeTests.Explain_WithoutAnalyze_NoActualMetrics","DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.Explain_WithoutAnalyze_NoActualMetrics","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Explain_WithoutAnalyze_NoActualMetrics"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"42c5af21a124f1817ab4a97e61d2b852fd48bf2a"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ExplainAnalyzeTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.Explain_WithoutAnalyze_NoActualMetrics","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012730","StartTime":"2026-02-08T22:26:58.888979+00:00","EndTime":"2026-02-08T22:26:58.8928759+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":64,"Stats":{"Passed":64}},"ActiveTests":[{"Id":"27d1dee7-8280-c3bd-4925-e0334e28bd0e","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.HasRowsAndDepth","DisplayName":"DecentDB.Tests.DataReaderTests.HasRowsAndDepth","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"HasRowsAndDepth"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"63f4ee847257afd210a60c88ea920a83e49121fc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"20c3c29b-7c67-a31d-55e7-f235cc05d8d3","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBException_HasCorrectProperties"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8b424eecaede8065f38fc9d7a73e9d5724d427bd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"97a7713a-dfde-597d-d261-c949144fee53","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.DoubleBindNull","DisplayName":"DecentDB.Tests.NativeLayerTests.DoubleBindNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DoubleBindNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"603df9593ad350c447ea42abf41d66322a3b42db"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"2ba69c73-1f73-4ea8-fc16-2dcf07547641","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios","DisplayName":"DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CommandTimeoutScenarios"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"155f50b64ea889a3e09df1fd7dd6c9333d6e327c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"5e85abc4-eff8-87eb-d5ff-f7b27f846d00","FullyQualifiedName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_WithFilter_CorrectRowCount","DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_WithFilter_CorrectRowCount","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExplainAnalyze_WithFilter_CorrectRowCount"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6d04b7cc2fc0c49c2d5e67f173550e63aef98ff7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ExplainAnalyzeTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.893, 376298706618590, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.893, 376298706729999, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.893, 376298706749706, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.893, 376298706762810, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.893, 376298706791875, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.893, 376298706806412, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.893, 376298706886132, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecimalTests.Decimal_RoundTrip.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.893, 376298707040873, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.893, 376298707063976, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.893, 376298707094604, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.894, 376298707157913, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.894, 376298707284150, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.894, 376298707305450, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.894, 376298707335426, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.894, 376298707414434, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.TransactionTests.AutoRollbackOnDispose.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.894, 376298707433700, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.TransactionTests.AutoRollbackOnDispose' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.894, 376298707464067, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.TransactionTests.AutoRollbackOnDispose execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.894, 376298707525262, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.894, 376298707572942, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.894, 376298707736078, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.894, 376298707757949, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.894, 376298707788136, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.894, 376298707849972, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.894, 376298707867756, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.895, 376298708249973, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"086c8aef-d47c-95f1-6e30-dedcc5e17f2f","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_Overflow_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a305aca01152126cdbeac768aefcb672fbbf4e61"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecimalTests.Decimal_Overflow_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012106","StartTime":"2026-02-08T22:26:58.8903312+00:00","EndTime":"2026-02-08T22:26:58.8935783+00:00","Properties":[]},{"TestCase":{"Id":"71281565-e82b-a555-5809-49b9c5741e1f","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_GetDecimal_ZeroScale"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8f3b4a356435508e25548cbd6138ebba1f62af53"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_GetDecimal_ZeroScale","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015143","StartTime":"2026-02-08T22:26:58.8898564+00:00","EndTime":"2026-02-08T22:26:58.8938902+00:00","Properties":[]},{"TestCase":{"Id":"754486ab-2a78-0e34-ed0e-27e202154c7e","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes","DisplayName":"DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MaxLength_UsesUtf8Bytes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"368b48cf4819579ca4fa59f4cf28731bfc026a0f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TypeMappingTests.MaxLength_UsesUtf8Bytes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016239","StartTime":"2026-02-08T22:26:58.8888784+00:00","EndTime":"2026-02-08T22:26:58.8941327+00:00","Properties":[]},{"TestCase":{"Id":"fdf5cc96-6734-c39c-7425-02409498c427","FullyQualifiedName":"DecentDB.Tests.TransactionTests.AutoRollbackOnDispose","DisplayName":"DecentDB.Tests.TransactionTests.AutoRollbackOnDispose","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AutoRollbackOnDispose"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4a51853ae46b32ce556934ed4735e8d013848487"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TransactionTests.AutoRollbackOnDispose","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011747","StartTime":"2026-02-08T22:26:58.8906447+00:00","EndTime":"2026-02-08T22:26:58.8942535+00:00","Properties":[]},{"TestCase":{"Id":"20c3c29b-7c67-a31d-55e7-f235cc05d8d3","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBException_HasCorrectProperties"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8b424eecaede8065f38fc9d7a73e9d5724d427bd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.DecentDBException_HasCorrectProperties","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008975","StartTime":"2026-02-08T22:26:58.8920289+00:00","EndTime":"2026-02-08T22:26:58.8945865+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":69,"Stats":{"Passed":69}},"ActiveTests":[{"Id":"fa469f6f-17af-ac42-4dd4-b77566604395","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_RoundTrip","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a382563cabc7ad5a73cb5fd44d58355361e05d88"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},{"Id":"de43221d-e8e7-dc20-1de4-c9922cdc544e","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_HighValue_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bf3bfbbb3d9e7c05c0e96e733c4f175973685e5c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"9cf8d764-ca66-213e-99f5-bf6746d5973e","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip","DisplayName":"DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f1d29da09ea24e76a59afab4005376dbbcde9b1d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},{"Id":"4db15c91-7ebc-86d2-35f5-cce5292b76e4","FullyQualifiedName":"DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported","DisplayName":"DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NestedTransactionsNotSupported"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e026d4843612b972077c601d5903361e488c03c2"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},{"Id":"6c618b27-d6ee-3544-d82c-6a45a0f8e71e","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_NegativeLargeValue_Works"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b99f8d37dbc80818dc35a4cd614cc278612d9900"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.895, 376298708332959, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.895, 376298708459417, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.895, 376298708481138, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.895, 376298708493721, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.895, 376298708525711, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.895, 376298708540208, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.895, 376298708599420, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.895, 376298708738882, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.895, 376298708762175, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.895, 376298708792963, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.895, 376298708854258, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.895, 376298708991867, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.DoubleBindNull.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.895, 376298709013317, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.DoubleBindNull' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.895, 376298709059223, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.DoubleBindNull execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.896, 376298709134084, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.896, 376298709247336, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.896, 376298709268596, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.896, 376298709299324, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.896, 376298709360068, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.896, 376298709521802, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DataReaderTests.HasRowsAndDepth.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.896, 376298709554674, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DataReaderTests.HasRowsAndDepth' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.896, 376298709596232, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DataReaderTests.HasRowsAndDepth execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.896, 376298709672515, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DataReaderTests.GetGuid.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.896, 376298709693925, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.896, 376298710050184, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"d9444345-34d8-ae97-36b5-5e21b1c2159a","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindMultipleTypesInSingleStatement"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0b819ef1f1ef630994e60062bebeb06b862606fd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindMultipleTypesInSingleStatement","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0282637","StartTime":"2026-02-08T22:26:58.8195387+00:00","EndTime":"2026-02-08T22:26:58.8953067+00:00","Properties":[]},{"TestCase":{"Id":"2ba69c73-1f73-4ea8-fc16-2dcf07547641","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios","DisplayName":"DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CommandTimeoutScenarios"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"155f50b64ea889a3e09df1fd7dd6c9333d6e327c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.CommandTimeoutScenarios","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011590","StartTime":"2026-02-08T22:26:58.8928106+00:00","EndTime":"2026-02-08T22:26:58.8955896+00:00","Properties":[]},{"TestCase":{"Id":"97a7713a-dfde-597d-d261-c949144fee53","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.DoubleBindNull","DisplayName":"DecentDB.Tests.NativeLayerTests.DoubleBindNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DoubleBindNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"603df9593ad350c447ea42abf41d66322a3b42db"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.DoubleBindNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013656","StartTime":"2026-02-08T22:26:58.8922923+00:00","EndTime":"2026-02-08T22:26:58.8958428+00:00","Properties":[]},{"TestCase":{"Id":"620c5c7e-9611-4523-616d-fe0f7a9a7eb0","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues","DisplayName":"DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Int64_BoundaryValues"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"25cc9f44b191deb80d9d7ac6e7fc1c04f8f1ef92"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Int64_BoundaryValues","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020347","StartTime":"2026-02-08T22:26:58.8909829+00:00","EndTime":"2026-02-08T22:26:58.8960973+00:00","Properties":[]},{"TestCase":{"Id":"27d1dee7-8280-c3bd-4925-e0334e28bd0e","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.HasRowsAndDepth","DisplayName":"DecentDB.Tests.DataReaderTests.HasRowsAndDepth","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"HasRowsAndDepth"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"63f4ee847257afd210a60c88ea920a83e49121fc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.HasRowsAndDepth","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019452","StartTime":"2026-02-08T22:26:58.8917851+00:00","EndTime":"2026-02-08T22:26:58.8963578+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":74,"Stats":{"Passed":74}},"ActiveTests":[{"Id":"fff966c6-fb62-c2ef-b78c-abf489a18cb1","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindParametersAtExtremeIndices"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"54d0247664af93870716b04db9aef0563c8199d6"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"1a261586-4ae0-568b-7ed2-1bb4f89ac4ee","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation","DisplayName":"DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MicroOrm_EntityValidation"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"225dc549fdc3b4b203bbd23275105bf969c2002f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"6ef88a32-5315-b95a-2f5c-fa20480bc58c","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GuidBindingAndRetrieval"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6e8bdfc4dfb2bef7e1d07aa09ec70d909ef42cd1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"ffc165f2-ce91-3360-78d8-287db827c828","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse","DisplayName":"DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Bool_TrueAndFalse"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"27382039f7f8332297bab30e671ee540bbc2ccf7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"370ef913-c63e-788d-4032-cf09b0b93e7e","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetGuid","DisplayName":"DecentDB.Tests.DataReaderTests.GetGuid","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetGuid"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9bb6bb833a5506f2f7a6b463d0aaeb15e070b9af"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.897, 376298710126568, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.897, 376298710248036, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.897, 376298710267683, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.897, 376298710279866, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.897, 376298710309942, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.897, 376298710329900, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.897, 376298710390333, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.897, 376298710513935, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.897, 376298710536788, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.897, 376298710568237, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.897, 376298710629272, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.897, 376298710741172, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DmlTests.SelectWithPositionalParameters.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.897, 376298710762762, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DmlTests.SelectWithPositionalParameters' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.897, 376298710792218, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DmlTests.SelectWithPositionalParameters execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.897, 376298710853533, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DmlTests.ExecuteScalar.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.897, 376298710977526, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_WithFilter_CorrectRowCount.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.897, 376298710998585, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_WithFilter_CorrectRowCount' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.897, 376298711028902, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_WithFilter_CorrectRowCount execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.897, 376298711090378, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_EmptyTable_ZeroRows.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.898, 376298711228387, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.898, 376298711267030, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.898, 376298711328234, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.898, 376298711466865, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.898, 376298711508172, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices' in inProgress list.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.898, 376298711530715, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.899, 376298712130882, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"6c618b27-d6ee-3544-d82c-6a45a0f8e71e","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_NegativeLargeValue_Works"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b99f8d37dbc80818dc35a4cd614cc278612d9900"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_NegativeLargeValue_Works","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009641","StartTime":"2026-02-08T22:26:58.8952499+00:00","EndTime":"2026-02-08T22:26:58.8970965+00:00","Properties":[]},{"TestCase":{"Id":"de43221d-e8e7-dc20-1de4-c9922cdc544e","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_HighValue_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bf3bfbbb3d9e7c05c0e96e733c4f175973685e5c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_HighValue_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013880","StartTime":"2026-02-08T22:26:58.894081+00:00","EndTime":"2026-02-08T22:26:58.8973646+00:00","Properties":[]},{"TestCase":{"Id":"56734fb1-3027-aead-4696-55c05a9ddd5b","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithPositionalParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithPositionalParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithPositionalParameters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"0395970922ecbe42c094c2e5cc03bbc5906a10a4"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.SelectWithPositionalParameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0292544","StartTime":"2026-02-08T22:26:58.8241844+00:00","EndTime":"2026-02-08T22:26:58.8975916+00:00","Properties":[]},{"TestCase":{"Id":"5e85abc4-eff8-87eb-d5ff-f7b27f846d00","FullyQualifiedName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_WithFilter_CorrectRowCount","DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_WithFilter_CorrectRowCount","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExplainAnalyze_WithFilter_CorrectRowCount"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6d04b7cc2fc0c49c2d5e67f173550e63aef98ff7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ExplainAnalyzeTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_WithFilter_CorrectRowCount","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0018319","StartTime":"2026-02-08T22:26:58.8935353+00:00","EndTime":"2026-02-08T22:26:58.8978281+00:00","Properties":[]},{"TestCase":{"Id":"2da5cb7e-7045-94f0-81a9-5a24d0c8c9ab","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SafeHandles_IsInvalid_Property"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d714e04ca1f688b07027e5abd5a514553f53d751"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.SafeHandles_IsInvalid_Property","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002281","StartTime":"2026-02-08T22:26:58.8975403+00:00","EndTime":"2026-02-08T22:26:58.8980788+00:00","Properties":[]},{"TestCase":{"Id":"fff966c6-fb62-c2ef-b78c-abf489a18cb1","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindParametersAtExtremeIndices"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"54d0247664af93870716b04db9aef0563c8199d6"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013194","StartTime":"2026-02-08T22:26:58.8955117+00:00","EndTime":"2026-02-08T22:26:58.8983072+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":80,"Stats":{"Passed":80}},"ActiveTests":[{"Id":"bf073563-b61e-9136-3795-ef68237074d1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnStepAfterFinalize"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"de9ae0d30bdbd314246c6d1c830e13943cee7510"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"898590e0-4291-27e9-9894-6605f9ecaed0","FullyQualifiedName":"DecentDB.Tests.DmlTests.ExecuteScalar","DisplayName":"DecentDB.Tests.DmlTests.ExecuteScalar","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExecuteScalar"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2c903838ab776a17d561e65e0eb196235880ee7e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},{"Id":"a7278cbd-e6ef-56db-0c24-bd521bc54bd4","FullyQualifiedName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_EmptyTable_ZeroRows","DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_EmptyTable_ZeroRows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExplainAnalyze_EmptyTable_ZeroRows"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8b5cebad56b290dada28ac05de9655778d781021"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ExplainAnalyzeTests"}]},{"Id":"495d98e5-4857-272d-736a-7f294f6483f8","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Getters_OutOfBoundsIndex"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"da9d4c2fdd07266a070c0a111b59722db6ecbc26"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.901, 376298714523865, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.901, 376298714635074, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindParametersAtExtremeIndices execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.901, 376298714653779, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.901, 376298714737576, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.901, 376298714898158, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.901, 376298714927413, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.901, 376298714958812, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.901, 376298715021219, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.902, 376298715151203, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.902, 376298715173014, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.902, 376298715205735, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.902, 376298715267201, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.902, 376298715390672, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.902, 376298715413335, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.902, 376298715442730, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.902, 376298715575660, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.902, 376298715596619, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.902, 376298715626826, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.902, 376298715687359, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AllDataTypesTests.Float64_Precision.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.902, 376298715810060, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_EmptyTable_ZeroRows.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.902, 376298715836269, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_EmptyTable_ZeroRows' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.902, 376298715866155, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_EmptyTable_ZeroRows execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.902, 376298715990288, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DmlTests.ExecuteScalar.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.902, 376298716010045, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DmlTests.ExecuteScalar' in inProgress list.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.902, 376298716024833, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.903, 376298716438500, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"bf073563-b61e-9136-3795-ef68237074d1","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ThrowsOnStepAfterFinalize"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"de9ae0d30bdbd314246c6d1c830e13943cee7510"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_ThrowsOnStepAfterFinalize","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008478","StartTime":"2026-02-08T22:26:58.8973002+00:00","EndTime":"2026-02-08T22:26:58.9017362+00:00","Properties":[]},{"TestCase":{"Id":"495d98e5-4857-272d-736a-7f294f6483f8","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Getters_OutOfBoundsIndex"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"da9d4c2fdd07266a070c0a111b59722db6ecbc26"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Getters_OutOfBoundsIndex","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007054","StartTime":"2026-02-08T22:26:58.8982391+00:00","EndTime":"2026-02-08T22:26:58.9020006+00:00","Properties":[]},{"TestCase":{"Id":"4db15c91-7ebc-86d2-35f5-cce5292b76e4","FullyQualifiedName":"DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported","DisplayName":"DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NestedTransactionsNotSupported"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e026d4843612b972077c601d5903361e488c03c2"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TransactionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TransactionTests.NestedTransactionsNotSupported","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023909","StartTime":"2026-02-08T22:26:58.894513+00:00","EndTime":"2026-02-08T22:26:58.9022408+00:00","Properties":[]},{"TestCase":{"Id":"ffc165f2-ce91-3360-78d8-287db827c828","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse","DisplayName":"DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Bool_TrueAndFalse"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"27382039f7f8332297bab30e671ee540bbc2ccf7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Bool_TrueAndFalse","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015460","StartTime":"2026-02-08T22:26:58.8962694+00:00","EndTime":"2026-02-08T22:26:58.9024267+00:00","Properties":[]},{"TestCase":{"Id":"a7278cbd-e6ef-56db-0c24-bd521bc54bd4","FullyQualifiedName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_EmptyTable_ZeroRows","DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_EmptyTable_ZeroRows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExplainAnalyze_EmptyTable_ZeroRows"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8b5cebad56b290dada28ac05de9655778d781021"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ExplainAnalyzeTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ExplainAnalyzeTests.ExplainAnalyze_EmptyTable_ZeroRows","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009616","StartTime":"2026-02-08T22:26:58.8979993+00:00","EndTime":"2026-02-08T22:26:58.9026602+00:00","Properties":[]},{"TestCase":{"Id":"898590e0-4291-27e9-9894-6605f9ecaed0","FullyQualifiedName":"DecentDB.Tests.DmlTests.ExecuteScalar","DisplayName":"DecentDB.Tests.DmlTests.ExecuteScalar","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExecuteScalar"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2c903838ab776a17d561e65e0eb196235880ee7e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.ExecuteScalar","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011734","StartTime":"2026-02-08T22:26:58.8977626+00:00","EndTime":"2026-02-08T22:26:58.9028414+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":86,"Stats":{"Passed":86}},"ActiveTests":[{"Id":"f71550d2-c6a8-4642-9b15-124c9bee0cea","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_MultipleStepsAndResets"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8a486f320c666503c231a777008f32943f5c2743"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"187fbf00-a7bb-901e-0a1e-fe6538528c34","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_WithInvalidOptions_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e157122c0da7457fe6fb276b0df5fe64550b5f2f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},{"Id":"cf2b7d47-6b7a-c825-83bd-861dcc272b9c","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Dispose_MultipleTimes_DoesNotThrow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e95a9f7d9d8a0d1ddf0f91890d6f98cef1c46b27"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"461a87d7-1105-9952-0df1-5cd12ec07e6b","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Float64_Precision","DisplayName":"DecentDB.Tests.AllDataTypesTests.Float64_Precision","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Float64_Precision"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"762c98a006c4d52224087c0b7244a83a15b69c0b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.903, 376298716515134, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.903, 376298716554869, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DmlTests.ExecuteScalar execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.903, 376298716570398, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.903, 376298716631543, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DmlTests.SelectWithNamedParameters.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.903, 376298716757960, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecimalTests.Decimal_RoundTrip.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.903, 376298716780502, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DecimalTests.Decimal_RoundTrip' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.903, 376298716813244, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecimalTests.Decimal_RoundTrip execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.903, 376298716935674, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.903, 376298716956433, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.903, 376298716986730, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.903, 376298717060638, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.904, 376298717195351, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DataReaderTests.GetGuid.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.904, 376298717218144, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DataReaderTests.GetGuid' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.904, 376298717255655, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DataReaderTests.GetGuid execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.904, 376298717318803, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DataReaderTests.GetDataTypeName.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.904, 376298717449589, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.904, 376298717470588, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.904, 376298717502398, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.904, 376298717564795, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.904, 376298717699929, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.904, 376298717721540, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.904, 376298717752027, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.904, 376298717813623, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.904, 376298717832047, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.905, 376298718198726, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"fa469f6f-17af-ac42-4dd4-b77566604395","FullyQualifiedName":"DecentDB.Tests.DecimalTests.Decimal_RoundTrip","DisplayName":"DecentDB.Tests.DecimalTests.Decimal_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Decimal_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a382563cabc7ad5a73cb5fd44d58355361e05d88"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecimalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecimalTests.Decimal_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0033425","StartTime":"2026-02-08T22:26:58.8937975+00:00","EndTime":"2026-02-08T22:26:58.903607+00:00","Properties":[]},{"TestCase":{"Id":"cf2b7d47-6b7a-c825-83bd-861dcc272b9c","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_Dispose_MultipleTimes_DoesNotThrow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e95a9f7d9d8a0d1ddf0f91890d6f98cef1c46b27"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_Dispose_MultipleTimes_DoesNotThrow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007360","StartTime":"2026-02-08T22:26:58.9021767+00:00","EndTime":"2026-02-08T22:26:58.9037868+00:00","Properties":[]},{"TestCase":{"Id":"370ef913-c63e-788d-4032-cf09b0b93e7e","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetGuid","DisplayName":"DecentDB.Tests.DataReaderTests.GetGuid","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetGuid"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9bb6bb833a5506f2f7a6b463d0aaeb15e070b9af"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetGuid","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020667","StartTime":"2026-02-08T22:26:58.8970418+00:00","EndTime":"2026-02-08T22:26:58.9040433+00:00","Properties":[]},{"TestCase":{"Id":"6ef88a32-5315-b95a-2f5c-fa20480bc58c","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GuidBindingAndRetrieval"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6e8bdfc4dfb2bef7e1d07aa09ec70d909ef42cd1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.GuidBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023507","StartTime":"2026-02-08T22:26:58.8960453+00:00","EndTime":"2026-02-08T22:26:58.9043008+00:00","Properties":[]},{"TestCase":{"Id":"187fbf00-a7bb-901e-0a1e-fe6538528c34","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB_WithInvalidOptions_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e157122c0da7457fe6fb276b0df5fe64550b5f2f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.DecentDB_WithInvalidOptions_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013576","StartTime":"2026-02-08T22:26:58.9019365+00:00","EndTime":"2026-02-08T22:26:58.9045513+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":91,"Stats":{"Passed":91}},"ActiveTests":[{"Id":"33529275-7d1b-ebbb-027e-205f696483b2","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithNamedParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithNamedParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithNamedParameters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3cdda7aa2ad98ac4da78188fafa8c5bb66e290f3"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},{"Id":"77b11dc1-bb69-864b-ffb8-e2aff59cc4df","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_Overflow_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ef75bdcb9d066edd1b539f0b154d50c6327dce70"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"d49a9a10-d54d-1ed3-ebab-a2bbc25b0546","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetDataTypeName","DisplayName":"DecentDB.Tests.DataReaderTests.GetDataTypeName","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetDataTypeName"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cdd1b96e7e8a62c45544544be3a75e91feef0eb3"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"f8d70f4e-e526-c9a5-e2b6-ccac2d764d95","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"BoolBindingAndRetrieval"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7d032fdf4e296ccbb411cbb6e51fdf248d880438"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"8e2bc982-dc42-ec80-44d0-70054bbf7789","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e66d4e720f0a3deced274c68bff0f6daafa0c487"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.905, 376298718264970, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.905, 376298718371701, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.905, 376298718396497, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.905, 376298718410443, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.905, 376298718441211, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.905, 376298718457011, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.905, 376298718529898, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.905, 376298718655073, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DmlTests.SelectWithNamedParameters.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.905, 376298718676774, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DmlTests.SelectWithNamedParameters' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.905, 376298718707592, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DmlTests.SelectWithNamedParameters execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.905, 376298718767274, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DmlTests.UpdateAndDelete.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.905, 376298718889203, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DataReaderTests.GetDataTypeName.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.905, 376298718910653, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DataReaderTests.GetDataTypeName' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.905, 376298718942423, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DataReaderTests.GetDataTypeName execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.905, 376298719003798, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DataReaderTests.IndexerAccess.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.906, 376298719166844, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.906, 376298719191500, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.906, 376298719223911, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.906, 376298719287370, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.906, 376298719413788, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AllDataTypesTests.Float64_Precision.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.906, 376298719437963, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AllDataTypesTests.Float64_Precision' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.906, 376298719474552, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AllDataTypesTests.Float64_Precision execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.906, 376298719535055, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.906, 376298719553390, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.906, 376298719951257, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"f71550d2-c6a8-4642-9b15-124c9bee0cea","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_MultipleStepsAndResets"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8a486f320c666503c231a777008f32943f5c2743"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_MultipleStepsAndResets","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017145","StartTime":"2026-02-08T22:26:58.9016632+00:00","EndTime":"2026-02-08T22:26:58.905221+00:00","Properties":[]},{"TestCase":{"Id":"33529275-7d1b-ebbb-027e-205f696483b2","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithNamedParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithNamedParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithNamedParameters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3cdda7aa2ad98ac4da78188fafa8c5bb66e290f3"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.SelectWithNamedParameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012460","StartTime":"2026-02-08T22:26:58.9035419+00:00","EndTime":"2026-02-08T22:26:58.9055057+00:00","Properties":[]},{"TestCase":{"Id":"d49a9a10-d54d-1ed3-ebab-a2bbc25b0546","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetDataTypeName","DisplayName":"DecentDB.Tests.DataReaderTests.GetDataTypeName","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetDataTypeName"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cdd1b96e7e8a62c45544544be3a75e91feef0eb3"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetDataTypeName","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011842","StartTime":"2026-02-08T22:26:58.9042292+00:00","EndTime":"2026-02-08T22:26:58.9057387+00:00","Properties":[]},{"TestCase":{"Id":"77b11dc1-bb69-864b-ffb8-e2aff59cc4df","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_Overflow_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ef75bdcb9d066edd1b539f0b154d50c6327dce70"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindDecimal_Overflow_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013883","StartTime":"2026-02-08T22:26:58.9039901+00:00","EndTime":"2026-02-08T22:26:58.9060176+00:00","Properties":[]},{"TestCase":{"Id":"461a87d7-1105-9952-0df1-5cd12ec07e6b","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Float64_Precision","DisplayName":"DecentDB.Tests.AllDataTypesTests.Float64_Precision","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Float64_Precision"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"762c98a006c4d52224087c0b7244a83a15b69c0b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Float64_Precision","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0021032","StartTime":"2026-02-08T22:26:58.9026196+00:00","EndTime":"2026-02-08T22:26:58.9062649+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":96,"Stats":{"Passed":96}},"ActiveTests":[{"Id":"f6f3a14d-fa45-f1e8-0164-bdf44936f273","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindText_WithVeryLongString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a2ed03b20fad28d8e22842f7bd09e5bca8fa74e8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"dfebeb0f-c17a-fccd-e3a0-364461e7d033","FullyQualifiedName":"DecentDB.Tests.DmlTests.UpdateAndDelete","DisplayName":"DecentDB.Tests.DmlTests.UpdateAndDelete","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAndDelete"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7457bcb6567538a58faa8d97138721c40f6c79ee"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},{"Id":"8e72e101-94af-da78-f802-0f9c08cf21fa","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.IndexerAccess","DisplayName":"DecentDB.Tests.DataReaderTests.IndexerAccess","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"IndexerAccess"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d830cd81d14a10a493f8e506f7f2a9f066ccf08b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"3d5e7dde-d973-d621-3507-fa0bdd1942bb","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_NullArray"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f39ea490af8f2204039def4d502416f5391256d1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"c9d1ae63-d030-9c5d-2d06-4772488cb53e","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes","DisplayName":"DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetValue_ReturnsCorrectBoxedTypes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"92627d7c162deb2b05fe4fbd3bd08bd228e79063"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.906, 376298720036748, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.907, 376298720175168, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.907, 376298720197259, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.907, 376298720210354, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.907, 376298720241402, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.907, 376298720256330, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.907, 376298720362860, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.907, 376298720382347, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.907, 376298720394980, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.907, 376298720426099, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.907, 376298720440877, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.907, 376298720501150, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.907, 376298720632116, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DmlTests.UpdateAndDelete.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.907, 376298720654297, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DmlTests.UpdateAndDelete' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.907, 376298720685306, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DmlTests.UpdateAndDelete execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.907, 376298720746701, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DmlTests.CreateTableAndInsert.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.907, 376298720884971, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.907, 376298720913965, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.907, 376298720964660, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.907, 376298721068425, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.908, 376298721211604, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DataReaderTests.IndexerAccess.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.908, 376298721235349, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DataReaderTests.IndexerAccess' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.908, 376298721267038, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DataReaderTests.IndexerAccess execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.908, 376298721346247, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DataReaderTests.GetFieldValue.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.908, 376298721528239, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.908, 376298721584895, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.908, 376298721674834, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.RowView.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.908, 376298721700362, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.909, 376298722142913, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"8e2bc982-dc42-ec80-44d0-70054bbf7789","FullyQualifiedName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException","DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e66d4e720f0a3deced274c68bff0f6daafa0c487"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerErrorTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerErrorTests.PreparedStatement_BindDecimal_OutOfRange_ThrowsOverflowException","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015245","StartTime":"2026-02-08T22:26:58.9051793+00:00","EndTime":"2026-02-08T22:26:58.9070242+00:00","Properties":[]},{"TestCase":{"Id":"f8d70f4e-e526-c9a5-e2b6-ccac2d764d95","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"BoolBindingAndRetrieval"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7d032fdf4e296ccbb411cbb6e51fdf248d880438"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.BoolBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017388","StartTime":"2026-02-08T22:26:58.9044745+00:00","EndTime":"2026-02-08T22:26:58.9072138+00:00","Properties":[]},{"TestCase":{"Id":"dfebeb0f-c17a-fccd-e3a0-364461e7d033","FullyQualifiedName":"DecentDB.Tests.DmlTests.UpdateAndDelete","DisplayName":"DecentDB.Tests.DmlTests.UpdateAndDelete","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAndDelete"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"7457bcb6567538a58faa8d97138721c40f6c79ee"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.UpdateAndDelete","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013718","StartTime":"2026-02-08T22:26:58.9056756+00:00","EndTime":"2026-02-08T22:26:58.907483+00:00","Properties":[]},{"TestCase":{"Id":"3d5e7dde-d973-d621-3507-fa0bdd1942bb","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_NullArray"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f39ea490af8f2204039def4d502416f5391256d1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_BindBlob_NullArray","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008777","StartTime":"2026-02-08T22:26:58.9062117+00:00","EndTime":"2026-02-08T22:26:58.9077241+00:00","Properties":[]},{"TestCase":{"Id":"8e72e101-94af-da78-f802-0f9c08cf21fa","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.IndexerAccess","DisplayName":"DecentDB.Tests.DataReaderTests.IndexerAccess","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"IndexerAccess"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d830cd81d14a10a493f8e506f7f2a9f066ccf08b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.IndexerAccess","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014071","StartTime":"2026-02-08T22:26:58.9059527+00:00","EndTime":"2026-02-08T22:26:58.9080605+00:00","Properties":[]},{"TestCase":{"Id":"757dd737-b933-2262-4371-4b716f45b747","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TextBindingAndRetrieval"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8abc5b667abacff7a96aee1714fa914f57527015"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.TextBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010344","StartTime":"2026-02-08T22:26:58.9074187+00:00","EndTime":"2026-02-08T22:26:58.908364+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":102,"Stats":{"Passed":102}},"ActiveTests":[{"Id":"f33220a7-1a4d-247c-b3ed-6aef6a2c4b73","FullyQualifiedName":"DecentDB.Tests.DmlTests.CreateTableAndInsert","DisplayName":"DecentDB.Tests.DmlTests.CreateTableAndInsert","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CreateTableAndInsert"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"870bf01b3154b84e74cd404e3e561bbd279e9d40"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},{"Id":"cbbafa89-c465-99b3-9a26-eb241842e6b2","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnMetadata_OutOfBoundsIndex"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fe1def8e9984bc7a9dae59ba4edb17c7fecc9e0b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},{"Id":"36d27bec-f5a0-ec59-0b9b-9cc0e745bdde","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetFieldValue","DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldValue","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetFieldValue"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ede64bbcd91c03b0bb1736828f82fd6933d57663"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"6b1c661a-37d3-0d6c-cef5-8c2a92391e43","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.RowView","DisplayName":"DecentDB.Tests.NativeLayerTests.RowView","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"935027d154e6850f220464a799675c2251f1972d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.909, 376298722234625, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.909, 376298722394255, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.909, 376298722425133, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.909, 376298722441404, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.909, 376298722478193, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.909, 376298722494163, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.909, 376298722607315, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DmlTests.CreateTableAndInsert.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.909, 376298722632162, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.909, 376298722651047, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DmlTests.CreateTableAndInsert' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.909, 376298722685883, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DmlTests.CreateTableAndInsert execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.909, 376298722701642, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.909, 376298722761495, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DmlTests.SelectWithMultipleParameters.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.909, 376298722865420, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.909, 376298722887552, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.909, 376298722923930, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.909, 376298723117313, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.910, 376298723148692, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.910, 376298723191242, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.910, 376298723256935, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.910, 376298723384304, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.RowView.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.910, 376298723408570, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.RowView' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.910, 376298723442424, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.RowView execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.910, 376298723504741, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.ErrorHandling.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.910, 376298723629785, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.910, 376298723652709, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.910, 376298723683797, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.910, 376298723745363, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.910, 376298723764619, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.911, 376298724157587, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"cbbafa89-c465-99b3-9a26-eb241842e6b2","FullyQualifiedName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex","DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnMetadata_OutOfBoundsIndex"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fe1def8e9984bc7a9dae59ba4edb17c7fecc9e0b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerAdditionalTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerAdditionalTests.PreparedStatement_ColumnMetadata_OutOfBoundsIndex","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007623","StartTime":"2026-02-08T22:26:58.9079957+00:00","EndTime":"2026-02-08T22:26:58.9092226+00:00","Properties":[]},{"TestCase":{"Id":"f33220a7-1a4d-247c-b3ed-6aef6a2c4b73","FullyQualifiedName":"DecentDB.Tests.DmlTests.CreateTableAndInsert","DisplayName":"DecentDB.Tests.DmlTests.CreateTableAndInsert","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CreateTableAndInsert"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"870bf01b3154b84e74cd404e3e561bbd279e9d40"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.CreateTableAndInsert","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010931","StartTime":"2026-02-08T22:26:58.907657+00:00","EndTime":"2026-02-08T22:26:58.9094573+00:00","Properties":[]},{"TestCase":{"Id":"b794905d-2c43-2f54-028a-8d4ac6400002","FullyQualifiedName":"DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase","DisplayName":"DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OpenNonExistentDatabase"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c2797006393d41ad5ff26849e7767ec0ea1cd9eb"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.ConnectionTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.ConnectionTests.OpenNonExistentDatabase","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0093494","StartTime":"2026-02-08T22:26:58.8866868+00:00","EndTime":"2026-02-08T22:26:58.9097153+00:00","Properties":[]},{"TestCase":{"Id":"f6f3a14d-fa45-f1e8-0164-bdf44936f273","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindText_WithVeryLongString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a2ed03b20fad28d8e22842f7bd09e5bca8fa74e8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindText_WithVeryLongString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0037724","StartTime":"2026-02-08T22:26:58.905441+00:00","EndTime":"2026-02-08T22:26:58.9099535+00:00","Properties":[]},{"TestCase":{"Id":"6b1c661a-37d3-0d6c-cef5-8c2a92391e43","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.RowView","DisplayName":"DecentDB.Tests.NativeLayerTests.RowView","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowView"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"935027d154e6850f220464a799675c2251f1972d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.RowView","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016602","StartTime":"2026-02-08T22:26:58.9091533+00:00","EndTime":"2026-02-08T22:26:58.9102338+00:00","Properties":[]},{"TestCase":{"Id":"c9d1ae63-d030-9c5d-2d06-4772488cb53e","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes","DisplayName":"DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetValue_ReturnsCorrectBoxedTypes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"92627d7c162deb2b05fe4fbd3bd08bd228e79063"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.GetValue_ReturnsCorrectBoxedTypes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0032085","StartTime":"2026-02-08T22:26:58.9069554+00:00","EndTime":"2026-02-08T22:26:58.9104791+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":108,"Stats":{"Passed":108}},"ActiveTests":[{"Id":"12fdf661-4623-41b8-585a-19977f726a2e","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithMultipleParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithMultipleParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithMultipleParameters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"903dfaa5134c95ac7c34e0c17370dd9b1630b74d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},{"Id":"282f5bbd-942c-2509-19d2-68c1c06d0506","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindGuid_WithMaxValue"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a6d79fbb5f792185c66fe8b70f96a457c2b8d6b3"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"ba415e74-9550-70c6-90ae-6e319501a832","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.ErrorHandling","DisplayName":"DecentDB.Tests.NativeLayerTests.ErrorHandling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ErrorHandling"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9432f772d0371657b2035141b1fe23516472d9f4"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"eb4422f0-3bc1-ac53-2fe6-96a01ab57e29","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues","DisplayName":"DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Uuid_MultipleValues"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a3c0863e945d4c2d6d47db7786e9f108ad6aa7f6"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.911, 376298724241955, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.911, 376298724392267, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.911, 376298724415040, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.911, 376298724427944, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.911, 376298724459935, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.911, 376298724475303, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.911, 376298724536709, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.911, 376298724726405, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DmlTests.SelectWithMultipleParameters.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.911, 376298724759908, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DmlTests.SelectWithMultipleParameters' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.911, 376298724807457, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DmlTests.SelectWithMultipleParameters execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.911, 376298724874152, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DmlTests.NullParameterHandling.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.911, 376298724999328, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.ErrorHandling.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.911, 376298725022110, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.ErrorHandling' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.911, 376298725052998, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.ErrorHandling execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.911, 376298725113251, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.MultipleRows.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.912, 376298725239388, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.912, 376298725260789, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.912, 376298725292989, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.912, 376298725355667, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.912, 376298725454863, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DapperIntegrationTests.TestDapperScalar.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.912, 376298725476383, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DapperIntegrationTests.TestDapperScalar' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.912, 376298725513533, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DapperIntegrationTests.TestDapperScalar execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.912, 376298725577323, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DapperIntegrationTests.TestDapperAsync.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.912, 376298725597801, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.912, 376298725984027, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"282f5bbd-942c-2509-19d2-68c1c06d0506","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindGuid_WithMaxValue"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a6d79fbb5f792185c66fe8b70f96a457c2b8d6b3"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithMaxValue","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010341","StartTime":"2026-02-08T22:26:58.9101691+00:00","EndTime":"2026-02-08T22:26:58.911241+00:00","Properties":[]},{"TestCase":{"Id":"12fdf661-4623-41b8-585a-19977f726a2e","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithMultipleParameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithMultipleParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithMultipleParameters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"903dfaa5134c95ac7c34e0c17370dd9b1630b74d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.SelectWithMultipleParameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020315","StartTime":"2026-02-08T22:26:58.9096729+00:00","EndTime":"2026-02-08T22:26:58.9115578+00:00","Properties":[]},{"TestCase":{"Id":"ba415e74-9550-70c6-90ae-6e319501a832","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.ErrorHandling","DisplayName":"DecentDB.Tests.NativeLayerTests.ErrorHandling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ErrorHandling"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9432f772d0371657b2035141b1fe23516472d9f4"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.ErrorHandling","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009039","StartTime":"2026-02-08T22:26:58.9104153+00:00","EndTime":"2026-02-08T22:26:58.9118483+00:00","Properties":[]},{"TestCase":{"Id":"27473ec4-9ff3-dc09-c5d3-8264915b4891","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_WithDifferentEntityTypes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"04a26d50f2980c51dac96819fb7eadfa54cba0ec"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_WithDifferentEntityTypes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0408981","StartTime":"2026-02-08T22:26:58.8242023+00:00","EndTime":"2026-02-08T22:26:58.9120897+00:00","Properties":[]},{"TestCase":{"Id":"eef85a2c-8dcf-89ea-5828-78e763cef34d","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperScalar","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperScalar","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperScalar"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"18c05465f695461bcaa8720adfd4db8911dca4bc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperScalar","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0409131","StartTime":"2026-02-08T22:26:58.8241272+00:00","EndTime":"2026-02-08T22:26:58.9123047+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":113,"Stats":{"Passed":113}},"ActiveTests":[{"Id":"d4d60062-34b2-c3cf-e1c1-ea9c74e02aa4","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindFloatWithExtremeValues"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b9144cf4114414eb90c7aef890ed271e94387e4d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"713407d2-3ac4-09cf-4203-9a0cea21e323","FullyQualifiedName":"DecentDB.Tests.DmlTests.NullParameterHandling","DisplayName":"DecentDB.Tests.DmlTests.NullParameterHandling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NullParameterHandling"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e4a6167338cd7c4d804e54331caf26a1a3c32a98"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},{"Id":"6cb1b4c1-098f-2b38-577a-84f319dc8356","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.MultipleRows","DisplayName":"DecentDB.Tests.NativeLayerTests.MultipleRows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MultipleRows"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"af8391aa29bc770ce750bad358880a320d46ad35"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},{"Id":"7b7821b5-dd6e-ae2f-b80c-1b83b7a4bd3c","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_BeginTransaction"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"11f5ddc1145b9296ade878d1a6f63f242c101a5b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"76f5d7ad-3f72-3483-57fe-4356c31211fe","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperAsync","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperAsync"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1f20a463a21014e1a1ae4626361cf8cff8136c20"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.912, 376298726062174, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.913, 376298726185175, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DmlTests.NullParameterHandling.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.913, 376298726205803, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.913, 376298726218948, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DmlTests.NullParameterHandling' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.913, 376298726249686, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DmlTests.NullParameterHandling execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.913, 376298726264393, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.913, 376298726323324, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DmlTests.SelectWithP0Parameters.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.913, 376298726448499, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DataReaderTests.GetFieldValue.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.913, 376298726470290, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DataReaderTests.GetFieldValue' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.913, 376298726501128, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DataReaderTests.GetFieldValue execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.913, 376298726560459, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DataReaderTests.GetFieldType.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.913, 376298726705963, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DmlTests.SelectWithP0Parameters.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.913, 376298726748402, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DmlTests.SelectWithP0Parameters execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.913, 376298726861845, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.913, 376298726882875, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.913, 376298726914083, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.913, 376298726974978, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.913, 376298727099932, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.MultipleRows.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.913, 376298727123076, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.MultipleRows' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.914, 376298727155056, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.MultipleRows execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.914, 376298727215399, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.914, 376298727379407, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.914, 376298727404384, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.914, 376298727436464, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.914, 376298727517847, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.914, 376298727537504, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works' in inProgress list.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.914, 376298727551791, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.914, 376298727955930, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"713407d2-3ac4-09cf-4203-9a0cea21e323","FullyQualifiedName":"DecentDB.Tests.DmlTests.NullParameterHandling","DisplayName":"DecentDB.Tests.DmlTests.NullParameterHandling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NullParameterHandling"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e4a6167338cd7c4d804e54331caf26a1a3c32a98"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.NullParameterHandling","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008284","StartTime":"2026-02-08T22:26:58.9117848+00:00","EndTime":"2026-02-08T22:26:58.9130343+00:00","Properties":[]},{"TestCase":{"Id":"36d27bec-f5a0-ec59-0b9b-9cc0e745bdde","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetFieldValue","DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldValue","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetFieldValue"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ede64bbcd91c03b0bb1736828f82fd6933d57663"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldValue","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0039047","StartTime":"2026-02-08T22:26:58.9082745+00:00","EndTime":"2026-02-08T22:26:58.9132986+00:00","Properties":[]},{"TestCase":{"Id":"81db0525-875a-0ef0-d7c7-204f2f2ecb6c","FullyQualifiedName":"DecentDB.Tests.DmlTests.SelectWithP0Parameters","DisplayName":"DecentDB.Tests.DmlTests.SelectWithP0Parameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectWithP0Parameters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"eb492bb1042290fb984a20d90a0969c9852a7bca"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DmlTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DmlTests.SelectWithP0Parameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008701","StartTime":"2026-02-08T22:26:58.913233+00:00","EndTime":"2026-02-08T22:26:58.9135573+00:00","Properties":[]},{"TestCase":{"Id":"d4d60062-34b2-c3cf-e1c1-ea9c74e02aa4","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindFloatWithExtremeValues"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b9144cf4114414eb90c7aef890ed271e94387e4d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindFloatWithExtremeValues","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020496","StartTime":"2026-02-08T22:26:58.9114611+00:00","EndTime":"2026-02-08T22:26:58.9137131+00:00","Properties":[]},{"TestCase":{"Id":"6cb1b4c1-098f-2b38-577a-84f319dc8356","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.MultipleRows","DisplayName":"DecentDB.Tests.NativeLayerTests.MultipleRows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MultipleRows"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"af8391aa29bc770ce750bad358880a320d46ad35"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.MultipleRows","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017556","StartTime":"2026-02-08T22:26:58.9120249+00:00","EndTime":"2026-02-08T22:26:58.9139513+00:00","Properties":[]},{"TestCase":{"Id":"eb4422f0-3bc1-ac53-2fe6-96a01ab57e29","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues","DisplayName":"DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Uuid_MultipleValues"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a3c0863e945d4c2d6d47db7786e9f108ad6aa7f6"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.Uuid_MultipleValues","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0029185","StartTime":"2026-02-08T22:26:58.9111624+00:00","EndTime":"2026-02-08T22:26:58.9142277+00:00","Properties":[]},{"TestCase":{"Id":"94a4ac31-7527-aae2-b45b-0b8dbd09284c","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Non_Pooled_Mode_Works"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4e4fd70a7815457e2bfe4f1ea99fe5e9a241c1af"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0251949","StartTime":"2026-02-08T22:26:58.8597883+00:00","EndTime":"2026-02-08T22:26:58.9143553+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":120,"Stats":{"Passed":120}},"ActiveTests":[{"Id":"b2b8985b-0a8b-e888-8e86-d6626f184ede","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetFieldType","DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldType","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetFieldType"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f7738d2a43618f84cc0790b093496da5de540653"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},{"Id":"f6e137b8-9752-db8d-a589-7f44614a5a40","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnName_WithSpecialCharacters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cb2671a9a2dce4d04ad54a713b9408d7e9f44e61"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"8ba36eed-8093-08b9-2c23-e984e7f6bfe7","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecimalBindingAndRetrieval"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b678de00515aa4943c54802754e7c31677fdfaa5"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.914, 376298728037984, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.914, 376298728079783, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecentDBContextTests.Non_Pooled_Mode_Works execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.914, 376298728097867, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.915, 376298728172627, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.915, 376298728211240, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.915, 376298728339631, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.915, 376298728363596, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.915, 376298728399413, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.915, 376298728486577, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.915, 376298728611110, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DataReaderTests.GetFieldType.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.915, 376298728633372, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DataReaderTests.GetFieldType' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.915, 376298728665633, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DataReaderTests.GetFieldType execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.915, 376298728801929, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.915, 376298728823309, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.915, 376298728854938, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.915, 376298728918929, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.915, 376298729074080, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.915, 376298729105218, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.916, 376298729137569, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.916, 376298729201519, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.916, 376298729315463, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.916, 376298729353234, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.916, 376298729416573, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.916, 376298729436290, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.916, 376298729830581, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"1a261586-4ae0-568b-7ed2-1bb4f89ac4ee","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation","DisplayName":"DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"MicroOrm_EntityValidation"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"225dc549fdc3b4b203bbd23275105bf969c2002f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.MicroOrm_EntityValidation","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0101045","StartTime":"2026-02-08T22:26:58.8957774+00:00","EndTime":"2026-02-08T22:26:58.9151886+00:00","Properties":[]},{"TestCase":{"Id":"b2b8985b-0a8b-e888-8e86-d6626f184ede","FullyQualifiedName":"DecentDB.Tests.DataReaderTests.GetFieldType","DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldType","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetFieldType"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f7738d2a43618f84cc0790b093496da5de540653"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DataReaderTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DataReaderTests.GetFieldType","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012587","StartTime":"2026-02-08T22:26:58.9134711+00:00","EndTime":"2026-02-08T22:26:58.9154613+00:00","Properties":[]},{"TestCase":{"Id":"f6e137b8-9752-db8d-a589-7f44614a5a40","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_ColumnName_WithSpecialCharacters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cb2671a9a2dce4d04ad54a713b9408d7e9f44e61"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_ColumnName_WithSpecialCharacters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012198","StartTime":"2026-02-08T22:26:58.9138857+00:00","EndTime":"2026-02-08T22:26:58.915653+00:00","Properties":[]},{"TestCase":{"Id":"7b7821b5-dd6e-ae2f-b80c-1b83b7a4bd3c","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_BeginTransaction"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"11f5ddc1145b9296ade878d1a6f63f242c101a5b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024369","StartTime":"2026-02-08T22:26:58.9122656+00:00","EndTime":"2026-02-08T22:26:58.9158941+00:00","Properties":[]},{"TestCase":{"Id":"a9dd18dd-e480-0336-9fe9-759f4997682e","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed","DisplayName":"DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Transactions_Are_Properly_Managed"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"78ff761a0db8d19544fabf028dd4c0006953fad0"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Transactions_Are_Properly_Managed","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009993","StartTime":"2026-02-08T22:26:58.9151374+00:00","EndTime":"2026-02-08T22:26:58.9161659+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":125,"Stats":{"Passed":125}},"ActiveTests":[{"Id":"46599b34-7ba6-28e9-5ecb-dded6f1fa1c5","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip","DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllTypes_InsertAndSelect_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a83fe71dcaf79df2d6d6ef5426e16e0b08eef8ce"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},{"Id":"907dda6a-e647-2941-e5ec-1c7e83248416","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateTimeParameterBinding"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2a4ababdcf277e317373392b514dd84ac72036cf"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"0479c616-90fe-ea12-92bc-63085a4d8634","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_WithVariousScales"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"debc24533fa21796e777d3d8b3da5d82dac4dd5e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"401fbab7-ff6e-3387-b37b-59d305d2a809","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_InsertManyAsync_MultipleEntities"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1353372ac8f8225aeca798dffde381bd1319a802"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"db75fdc0-ac83-8379-bc73-e4f541efc1f2","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Accepts_Path_As_ConnectionString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8d7290881c5de01ee37018028f648aabc0bf4952"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.916, 376298729909409, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.916, 376298730110496, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.917, 376298730140212, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.917, 376298730153748, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.917, 376298730186269, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.917, 376298730206917, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.917, 376298730220162, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.917, 376298730252573, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.917, 376298730268433, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.917, 376298730297397, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.917, 376298730311784, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.917, 376298730396964, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.917, 376298730434415, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.BlobBindingAndRetrieval.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.917, 376298730609413, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.917, 376298730634581, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.917, 376298730665599, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.917, 376298730727776, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.917, 376298730853762, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.917, 376298730876695, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.917, 376298730907012, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.917, 376298731009405, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.917, 376298731032127, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.917, 376298731069237, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.918, 376298731134800, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.918, 376298731264704, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.BlobBindingAndRetrieval.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.918, 376298731303918, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.BlobBindingAndRetrieval execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.918, 376298731364812, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerTests.RowsAffected.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.918, 376298731387665, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.918, 376298731796182, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"907dda6a-e647-2941-e5ec-1c7e83248416","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateTimeParameterBinding"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2a4ababdcf277e317373392b514dd84ac72036cf"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.DateTimeParameterBinding","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011578","StartTime":"2026-02-08T22:26:58.9153976+00:00","EndTime":"2026-02-08T22:26:58.9169385+00:00","Properties":[]},{"TestCase":{"Id":"8ba36eed-8093-08b9-2c23-e984e7f6bfe7","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecimalBindingAndRetrieval"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b678de00515aa4943c54802754e7c31677fdfaa5"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.DecimalBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015218","StartTime":"2026-02-08T22:26:58.9141281+00:00","EndTime":"2026-02-08T22:26:58.916963+00:00","Properties":[]},{"TestCase":{"Id":"db75fdc0-ac83-8379-bc73-e4f541efc1f2","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Accepts_Path_As_ConnectionString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8d7290881c5de01ee37018028f648aabc0bf4952"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Accepts_Path_As_ConnectionString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004262","StartTime":"2026-02-08T22:26:58.9168271+00:00","EndTime":"2026-02-08T22:26:58.917459+00:00","Properties":[]},{"TestCase":{"Id":"46599b34-7ba6-28e9-5ecb-dded6f1fa1c5","FullyQualifiedName":"DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip","DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllTypes_InsertAndSelect_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a83fe71dcaf79df2d6d6ef5426e16e0b08eef8ce"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AllDataTypesTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AllDataTypesTests.AllTypes_InsertAndSelect_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017593","StartTime":"2026-02-08T22:26:58.9151187+00:00","EndTime":"2026-02-08T22:26:58.9177039+00:00","Properties":[]},{"TestCase":{"Id":"0314bf26-828b-18e2-0966-160886b3d039","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstAsync_With_No_Results_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"02ef566fe97ce0688a500cb1037caf73165cb714"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.FirstAsync_With_No_Results_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0407585","StartTime":"2026-02-08T22:26:58.8240263+00:00","EndTime":"2026-02-08T22:26:58.9178586+00:00","Properties":[]},{"TestCase":{"Id":"a8605fab-1f7d-f3ae-1790-854dbbdbaea8","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.BlobBindingAndRetrieval","DisplayName":"DecentDB.Tests.NativeLayerTests.BlobBindingAndRetrieval","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"BlobBindingAndRetrieval"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ccd583a6e2b20caf7b92e92a3a0c831f90999da1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.BlobBindingAndRetrieval","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012790","StartTime":"2026-02-08T22:26:58.9173738+00:00","EndTime":"2026-02-08T22:26:58.9181153+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":131,"Stats":{"Passed":131}},"ActiveTests":[{"Id":"6a3f19ab-c66f-f9b4-240b-b71e280f4be0","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateOnlyTimeOnlyParameterBinding"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"52c81fa78e9f82b85286e7439ebd1a12f2b7299c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"a9dd1a29-a5b5-b823-728f-37a0475fc078","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Event_Add_Remove_Works"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9b03fb34496b2b781afc22624f59ccedde952d8a"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"d3b707b3-ab55-8df5-f0f7-a410f6e552e4","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_Predicate"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"047c00cd0360ad36f2f68d631d2baf62d9c2fa14"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"2fe3c492-9ebe-dcc2-e97c-9738b63b1a85","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.RowsAffected","DisplayName":"DecentDB.Tests.NativeLayerTests.RowsAffected","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowsAffected"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fb22910fdba1e3749a1ebfe9fd9cc5b41151ce48"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.918, 376298731877294, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.918, 376298732012979, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.918, 376298732034570, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.918, 376298732048215, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.918, 376298732080807, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.918, 376298732099842, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.919, 376298732161769, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.919, 376298732286142, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.919, 376298732307282, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.919, 376298732355112, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.919, 376298732444740, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.EdgeCaseTests.TimeSpanParameterBinding.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.919, 376298732590754, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerTests.RowsAffected.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.919, 376298732614479, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerTests.RowsAffected' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.919, 376298732645477, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerTests.RowsAffected execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.919, 376298732754091, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.EdgeCaseTests.TimeSpanParameterBinding.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.919, 376298732791922, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.EdgeCaseTests.TimeSpanParameterBinding execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.919, 376298732853738, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.919, 376298732977611, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.919, 376298733000313, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.919, 376298733031913, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.919, 376298733093549, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.920, 376298733218634, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.920, 376298733257456, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.920, 376298733318070, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.EdgeCaseTests.NestedTransactions.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.920, 376298733457492, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.920, 376298733480646, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables' in inProgress list.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.920, 376298733495173, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.920, 376298733895715, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"0479c616-90fe-ea12-92bc-63085a4d8634","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindDecimal_WithVariousScales"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"debc24533fa21796e777d3d8b3da5d82dac4dd5e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindDecimal_WithVariousScales","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0018909","StartTime":"2026-02-08T22:26:58.9158358+00:00","EndTime":"2026-02-08T22:26:58.9188611+00:00","Properties":[]},{"TestCase":{"Id":"6a3f19ab-c66f-f9b4-240b-b71e280f4be0","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateOnlyTimeOnlyParameterBinding"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"52c81fa78e9f82b85286e7439ebd1a12f2b7299c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.DateOnlyTimeOnlyParameterBinding","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017915","StartTime":"2026-02-08T22:26:58.917343+00:00","EndTime":"2026-02-08T22:26:58.9191368+00:00","Properties":[]},{"TestCase":{"Id":"2fe3c492-9ebe-dcc2-e97c-9738b63b1a85","FullyQualifiedName":"DecentDB.Tests.NativeLayerTests.RowsAffected","DisplayName":"DecentDB.Tests.NativeLayerTests.RowsAffected","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"RowsAffected"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fb22910fdba1e3749a1ebfe9fd9cc5b41151ce48"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerTests.RowsAffected","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011104","StartTime":"2026-02-08T22:26:58.9187933+00:00","EndTime":"2026-02-08T22:26:58.9194396+00:00","Properties":[]},{"TestCase":{"Id":"f5de1e7c-d905-7470-ac7a-3dc142f1fdb4","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.TimeSpanParameterBinding","DisplayName":"DecentDB.Tests.EdgeCaseTests.TimeSpanParameterBinding","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TimeSpanParameterBinding"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6bcf4c0d7873bd1108ba5181a48054b21194983b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.TimeSpanParameterBinding","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011216","StartTime":"2026-02-08T22:26:58.9193702+00:00","EndTime":"2026-02-08T22:26:58.919605+00:00","Properties":[]},{"TestCase":{"Id":"e32432ad-c183-d674-9c3d-e182d698fdfd","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters","DisplayName":"DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"QueryAsync_WithParameters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"17c906d994f909075c90a7527776dc4ce37219aa"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.QueryAsync_WithParameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0447389","StartTime":"2026-02-08T22:26:58.8227964+00:00","EndTime":"2026-02-08T22:26:58.9198287+00:00","Properties":[]},{"TestCase":{"Id":"039e2023-bfc1-8e9a-3a60-3e0da5d5a710","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases","DisplayName":"DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ParameterBinding_EdgeCases"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"97472a9e4c8a43fc028bad93005b5cc88ac73217"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.ParameterBinding_EdgeCases","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017777","StartTime":"2026-02-08T22:26:58.9197642+00:00","EndTime":"2026-02-08T22:26:58.9200698+00:00","Properties":[]},{"TestCase":{"Id":"a4a52f5e-0a3d-ab63-0baa-640951fa4a20","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Tables_ReturnsCreatedTables"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"164a380f8320f3a6f2331fa3934e76c7095ccd88"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0253168","StartTime":"2026-02-08T22:26:58.8807507+00:00","EndTime":"2026-02-08T22:26:58.920307+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":138,"Stats":{"Passed":138}},"ActiveTests":[{"Id":"dc61fe33-975c-aadf-e114-a5e9c141c60e","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_WithLargeByteArray"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ec1127dfae6cbdfecfa2f6b93aa7ce2b31e6a173"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"7cf9d182-3067-f12d-cfc8-47b0a9d6ee67","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1823080ee64a9f9ab8365ca27cb34a7bbd522cc1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"de5b7ca7-5444-2b2c-e282-2fe3d2131f27","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.NestedTransactions","DisplayName":"DecentDB.Tests.EdgeCaseTests.NestedTransactions","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NestedTransactions"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"acbb7c3582ac5be85f2172d89f45c4481bc3df6b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.920, 376298733980995, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.920, 376298734021952, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Tables_ReturnsCreatedTables execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.920, 376298734037592, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.920, 376298734100239, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.921, 376298734190509, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.921, 376298734212179, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.921, 376298734244400, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.921, 376298734329830, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.921, 376298734453873, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.EdgeCaseTests.NestedTransactions.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.921, 376298734477868, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.EdgeCaseTests.NestedTransactions' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.921, 376298734514287, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.EdgeCaseTests.NestedTransactions execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.921, 376298734578397, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.921, 376298734732797, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.921, 376298734765208, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.921, 376298734798480, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.921, 376298734864905, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.921, 376298734990421, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.921, 376298735012322, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.921, 376298735043671, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.921, 376298735104585, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.922, 376298735242815, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.922, 376298735263464, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate' in inProgress list.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.922, 376298735279143, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.922, 376298735664036, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"a9dd1a29-a5b5-b823-728f-37a0475fc078","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works","DisplayName":"DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Event_Add_Remove_Works"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9b03fb34496b2b781afc22624f59ccedde952d8a"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Event_Add_Remove_Works","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0049309","StartTime":"2026-02-08T22:26:58.9176388+00:00","EndTime":"2026-02-08T22:26:58.9210212+00:00","Properties":[]},{"TestCase":{"Id":"de5b7ca7-5444-2b2c-e282-2fe3d2131f27","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.NestedTransactions","DisplayName":"DecentDB.Tests.EdgeCaseTests.NestedTransactions","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"NestedTransactions"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"acbb7c3582ac5be85f2172d89f45c4481bc3df6b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.NestedTransactions","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006366","StartTime":"2026-02-08T22:26:58.9202293+00:00","EndTime":"2026-02-08T22:26:58.9213049+00:00","Properties":[]},{"TestCase":{"Id":"401fbab7-ff6e-3387-b37b-59d305d2a809","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_InsertManyAsync_MultipleEntities"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1353372ac8f8225aeca798dffde381bd1319a802"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertManyAsync_MultipleEntities","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0066294","StartTime":"2026-02-08T22:26:58.9161142+00:00","EndTime":"2026-02-08T22:26:58.9215781+00:00","Properties":[]},{"TestCase":{"Id":"7cf9d182-3067-f12d-cfc8-47b0a9d6ee67","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1823080ee64a9f9ab8365ca27cb34a7bbd522cc1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026151","StartTime":"2026-02-08T22:26:58.9200049+00:00","EndTime":"2026-02-08T22:26:58.9218404+00:00","Properties":[]},{"TestCase":{"Id":"d3b707b3-ab55-8df5-f0f7-a410f6e552e4","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_Predicate"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"047c00cd0360ad36f2f68d631d2baf62d9c2fa14"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0069010","StartTime":"2026-02-08T22:26:58.9180516+00:00","EndTime":"2026-02-08T22:26:58.9220809+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":143,"Stats":{"Passed":143}},"ActiveTests":[{"Id":"4744bce0-4039-66f4-17bb-4a361a846590","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Columns_IncludesPkAndNullability"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1d6b4f6b417a1b30c741c81aa1e38207a4981fd7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"9d6aeb73-d6d0-6a6d-bfaa-0e90ce00d648","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled","DisplayName":"DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Events_Are_Properly_Handled"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a9131827dd223f4d7dcaf0a4a5e19f194f07f351"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"37beb522-3ac2-da47-aae4-68c4658ac8a5","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency","DisplayName":"DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AsyncOperationsConcurrency"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b8c930d93327cc3ae468c8cfca5b8b7a7af53640"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"738dec07-b778-de10-da40-ac0f07911d83","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Take_Skip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1ef14465cddad0507635583f199ce85847efddab"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"5a45cd95-0648-736c-77d9-df763f0bcdfa","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_AutoIncrement_SetsId"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23e5528d8df361c20b98ae6fefe281b5482b4c29"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.922, 376298735767811, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.922, 376298735821412, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Predicate execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.922, 376298735847601, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.922, 376298735914176, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.922, 376298736021788, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.922, 376298736045663, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.922, 376298736091208, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.923, 376298736155870, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.923, 376298736293959, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.923, 376298736318084, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.923, 376298736349854, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.923, 376298736479427, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.923, 376298736502861, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.923, 376298736533238, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.923, 376298736596597, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.923, 376298736708898, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.923, 376298736731010, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.923, 376298736762319, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.923, 376298736823814, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.923, 376298736938399, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.923, 376298736968596, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.923, 376298737021014, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.923, 376298737110953, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.924, 376298737140228, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.924, 376298737597056, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"9d6aeb73-d6d0-6a6d-bfaa-0e90ce00d648","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled","DisplayName":"DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Events_Are_Properly_Handled"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a9131827dd223f4d7dcaf0a4a5e19f194f07f351"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Events_Are_Properly_Handled","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0022815","StartTime":"2026-02-08T22:26:58.9212419+00:00","EndTime":"2026-02-08T22:26:58.9228684+00:00","Properties":[]},{"TestCase":{"Id":"9cf8d764-ca66-213e-99f5-bf6746d5973e","FullyQualifiedName":"DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip","DisplayName":"DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f1d29da09ea24e76a59afab4005376dbbcde9b1d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.TypeMappingTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.TypeMappingTests.DateOnly_TimeOnly_TimeSpan_Guid_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0198570","StartTime":"2026-02-08T22:26:58.8944818+00:00","EndTime":"2026-02-08T22:26:58.9231425+00:00","Properties":[]},{"TestCase":{"Id":"37beb522-3ac2-da47-aae4-68c4658ac8a5","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency","DisplayName":"DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AsyncOperationsConcurrency"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b8c930d93327cc3ae468c8cfca5b8b7a7af53640"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.AsyncOperationsConcurrency","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024581","StartTime":"2026-02-08T22:26:58.9215095+00:00","EndTime":"2026-02-08T22:26:58.9233284+00:00","Properties":[]},{"TestCase":{"Id":"875da2b0-fd6d-f566-4d2d-5c2e980a8605","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_IsNotNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"091495c9323ecf6ef651bb1f55339e602c304684"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNotNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0230432","StartTime":"2026-02-08T22:26:58.8864817+00:00","EndTime":"2026-02-08T22:26:58.9235585+00:00","Properties":[]},{"TestCase":{"Id":"4744bce0-4039-66f4-17bb-4a361a846590","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Columns_IncludesPkAndNullability"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1d6b4f6b417a1b30c741c81aa1e38207a4981fd7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_IncludesPkAndNullability","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0029697","StartTime":"2026-02-08T22:26:58.921046+00:00","EndTime":"2026-02-08T22:26:58.9237864+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":148,"Stats":{"Passed":148}},"ActiveTests":[{"Id":"d2eff22e-e22a-ec1f-f9be-2c3d8e656009","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Skip_With_Negative_Value_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"06bdf042287e5391189fc351dd95d7986afca796"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"48bcca6e-c511-99c7-ed73-392ebd03d3dd","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed","DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Connection_Is_Properly_Managed"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bf54196a6e1b05f7e372e2599935645ae88a956f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"12272b2f-2f37-b2b3-cb68-d6ed115b604b","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests","DisplayName":"DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecimalPrecisionTests"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"edcfef0b3c8e85a02b7aa8886342dc4f72c395bf"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},{"Id":"f3ede0dd-abe3-d7d3-2b78-8b6fe4749b8e","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamAsync_WithFilter"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"10a75118e91a030010b7145844e3604611096f03"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"27637d5b-3f9b-eb01-8e2d-138ab87f7a6c","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Columns_FilteredByTable"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23253c1882cf2b7391c8fabe318f313ab08040f8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.924, 376298737687336, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.924, 376298737832118, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.924, 376298737854510, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.924, 376298737868546, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.924, 376298737901077, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.924, 376298737916747, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.924, 376298737980146, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.924, 376298738106984, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.925, 376298738129847, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.925, 376298738160755, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.925, 376298738228332, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.925, 376298738377492, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.925, 376298738399734, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.925, 376298738431714, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.925, 376298738494241, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.925, 376298738593798, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.925, 376298738615489, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.925, 376298738646768, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.925, 376298738707602, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.925, 376298738843627, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.925, 376298738866080, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.925, 376298738911405, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.925, 376298738974022, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.925, 376298738992727, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.926, 376298739410251, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"d2eff22e-e22a-ec1f-f9be-2c3d8e656009","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Skip_With_Negative_Value_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"06bdf042287e5391189fc351dd95d7986afca796"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Skip_With_Negative_Value_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008261","StartTime":"2026-02-08T22:26:58.9228263+00:00","EndTime":"2026-02-08T22:26:58.9246776+00:00","Properties":[]},{"TestCase":{"Id":"dc61fe33-975c-aadf-e114-a5e9c141c60e","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindBlob_WithLargeByteArray"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ec1127dfae6cbdfecfa2f6b93aa7ce2b31e6a173"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindBlob_WithLargeByteArray","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0069549","StartTime":"2026-02-08T22:26:58.9190725+00:00","EndTime":"2026-02-08T22:26:58.924957+00:00","Properties":[]},{"TestCase":{"Id":"738dec07-b778-de10-da40-ac0f07911d83","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Take_Skip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1ef14465cddad0507635583f199ce85847efddab"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Take_Skip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0029227","StartTime":"2026-02-08T22:26:58.921774+00:00","EndTime":"2026-02-08T22:26:58.925228+00:00","Properties":[]},{"TestCase":{"Id":"27637d5b-3f9b-eb01-8e2d-138ab87f7a6c","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Columns_FilteredByTable"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23253c1882cf2b7391c8fabe318f313ab08040f8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_FilteredByTable","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010102","StartTime":"2026-02-08T22:26:58.9246066+00:00","EndTime":"2026-02-08T22:26:58.9254442+00:00","Properties":[]},{"TestCase":{"Id":"12272b2f-2f37-b2b3-cb68-d6ed115b604b","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests","DisplayName":"DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecimalPrecisionTests"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"edcfef0b3c8e85a02b7aa8886342dc4f72c395bf"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.DecimalPrecisionTests","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015760","StartTime":"2026-02-08T22:26:58.9235069+00:00","EndTime":"2026-02-08T22:26:58.9256946+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":153,"Stats":{"Passed":153}},"ActiveTests":[{"Id":"7f94d702-502a-dc0e-b9be-2eb64eb06ef9","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAsync_With_Null_NonNullable_Property_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1848fc4d05de6ae27395ea35791ab847aecd172d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"8e19b822-4526-7d8b-0706-ebafaf35445f","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindGuid_WithAllZeros"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ecc8b46b2f73b7dc2272a240acd1d36562af24e9"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"5f97a30f-92d9-6689-8367-b35a8a5c88cf","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_DeleteByIdAsync_Entity"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3083caae6c4810620796ba01162c943b95ac9608"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"96e38127-a8f4-cfe1-9938-60fd257d4897","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_BeginTransaction_WhenClosed_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2fb42e046d573ef32f3f2cf6c9f083266f22de45"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"e92b3608-efeb-3f79-7e14-a46d390fcc5e","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases","DisplayName":"DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringParsing_EdgeCases"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f0184ca1b42a8b87581935cf2a78f1d65bd1704f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.926, 376298739492255, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.926, 376298739614014, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.926, 376298739637789, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.926, 376298739650563, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.926, 376298739681210, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.926, 376298739695938, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.926, 376298739772752, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.926, 376298739792209, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.926, 376298739804612, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.926, 376298739834949, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.926, 376298739849536, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.926, 376298739921542, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteReader_WhenConnectionIsNull.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.926, 376298739957980, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.926, 376298740119824, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.927, 376298740143378, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.927, 376298740174697, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.927, 376298740235992, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.927, 376298740371216, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteReader_WhenConnectionIsNull.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.927, 376298740417313, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteReader_WhenConnectionIsNull execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.927, 376298740478508, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.927, 376298740600817, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.927, 376298740621877, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.927, 376298740653236, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.927, 376298740764615, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.927, 376298740801705, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.927, 376298740864282, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.927, 376298740987764, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.927, 376298741031126, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.927, 376298741101848, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.927, 376298741121485, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.928, 376298741609221, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"96e38127-a8f4-cfe1-9938-60fd257d4897","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_BeginTransaction_WhenClosed_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2fb42e046d573ef32f3f2cf6c9f083266f22de45"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_WhenClosed_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003472","StartTime":"2026-02-08T22:26:58.9256187+00:00","EndTime":"2026-02-08T22:26:58.9264627+00:00","Properties":[]},{"TestCase":{"Id":"48bcca6e-c511-99c7-ed73-392ebd03d3dd","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed","DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Connection_Is_Properly_Managed"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bf54196a6e1b05f7e372e2599935645ae88a956f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Is_Properly_Managed","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020557","StartTime":"2026-02-08T22:26:58.9230757+00:00","EndTime":"2026-02-08T22:26:58.9265984+00:00","Properties":[]},{"TestCase":{"Id":"8e19b822-4526-7d8b-0706-ebafaf35445f","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindGuid_WithAllZeros"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ecc8b46b2f73b7dc2272a240acd1d36562af24e9"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindGuid_WithAllZeros","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012579","StartTime":"2026-02-08T22:26:58.9251394+00:00","EndTime":"2026-02-08T22:26:58.9269705+00:00","Properties":[]},{"TestCase":{"Id":"2b085e47-3583-3dc6-5bf6-30d0c503eff6","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteReader_WhenConnectionIsNull","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteReader_WhenConnectionIsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteReader_WhenConnectionIsNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3d2e6203829190a0ddf39c9c9f4d7243be19e162"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteReader_WhenConnectionIsNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003344","StartTime":"2026-02-08T22:26:58.9268658+00:00","EndTime":"2026-02-08T22:26:58.9272219+00:00","Properties":[]},{"TestCase":{"Id":"e92b3608-efeb-3f79-7e14-a46d390fcc5e","FullyQualifiedName":"DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases","DisplayName":"DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringParsing_EdgeCases"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f0184ca1b42a8b87581935cf2a78f1d65bd1704f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.EdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.EdgeCaseTests.ConnectionStringParsing_EdgeCases","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007062","StartTime":"2026-02-08T22:26:58.9264081+00:00","EndTime":"2026-02-08T22:26:58.9274515+00:00","Properties":[]},{"TestCase":{"Id":"f24110ad-57e2-7309-e301-615c5f5afb37","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString","DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Constructor_Throws_ArgumentException_For_Empty_ConnectionString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e668e8671d814ba11969a4b75c86847248a99686"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Constructor_Throws_ArgumentException_For_Empty_ConnectionString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008039","StartTime":"2026-02-08T22:26:58.9268972+00:00","EndTime":"2026-02-08T22:26:58.9276161+00:00","Properties":[]},{"TestCase":{"Id":"c6c45f11-d867-54d7-e187-f658e3889cd9","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Open_Close_Sequence"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"41dfa532d910d19666a568e7dfbab3602b750468"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Open_Close_Sequence","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006896","StartTime":"2026-02-08T22:26:58.9273885+00:00","EndTime":"2026-02-08T22:26:58.9278388+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":160,"Stats":{"Passed":160}},"ActiveTests":[{"Id":"cbe68af8-32f5-8c31-e745-5b733714d2e1","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindAndRetrieveUnicodeText"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f0f3c2599a68e384bf79fbf1d3bac9f1cb6d0933"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},{"Id":"8d040988-69fd-fbf9-02e9-5d6bb60aebb1","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions","DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Connection_Scope_Management_With_Transactions"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fa2fbc743e4979bae80548d167a5620610336b5f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},{"Id":"48022f34-71cc-b452-3e3b-31b88496c272","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_MetaDataCollections"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"43947f059fb1e4813b3511cf17a7ee502567bb3c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.928, 376298741736440, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.928, 376298741896761, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.928, 376298741918081, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.928, 376298741930204, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.928, 376298741971752, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.928, 376298741987832, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.928, 376298742058194, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.930, 376298743640436, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.930, 376298743693876, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.930, 376298743752867, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.930, 376298743830783, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandText_SetterGetter.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.930, 376298743977228, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.930, 376298744003097, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.930, 376298744034987, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.931, 376298744145985, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandText_SetterGetter.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.931, 376298744189547, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandText_SetterGetter execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.931, 376298744254138, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.931, 376298744378953, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.931, 376298744401305, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.931, 376298744432293, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.931, 376298744493839, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.931, 376298744607963, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.931, 376298744630114, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.931, 376298744661724, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.931, 376298744769356, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.931, 376298744810263, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.931, 376298744872510, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.931, 376298744893920, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.932, 376298745336491, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"5a45cd95-0648-736c-77d9-df763f0bcdfa","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_AutoIncrement_SetsId"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"23e5528d8df361c20b98ae6fefe281b5482b4c29"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_SetsId","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0036663","StartTime":"2026-02-08T22:26:58.9220166+00:00","EndTime":"2026-02-08T22:26:58.9287423+00:00","Properties":[]},{"TestCase":{"Id":"48022f34-71cc-b452-3e3b-31b88496c272","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_MetaDataCollections"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"43947f059fb1e4813b3511cf17a7ee502567bb3c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_MetaDataCollections","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013058","StartTime":"2026-02-08T22:26:58.9286589+00:00","EndTime":"2026-02-08T22:26:58.9290646+00:00","Properties":[]},{"TestCase":{"Id":"cbe68af8-32f5-8c31-e745-5b733714d2e1","FullyQualifiedName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText","DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"PreparedStatement_BindAndRetrieveUnicodeText"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f0f3c2599a68e384bf79fbf1d3bac9f1cb6d0933"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NativeLayerEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NativeLayerEdgeCaseTests.PreparedStatement_BindAndRetrieveUnicodeText","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024696","StartTime":"2026-02-08T22:26:58.9271467+00:00","EndTime":"2026-02-08T22:26:58.9308234+00:00","Properties":[]},{"TestCase":{"Id":"f8cbb562-b631-8700-75d1-5f3297538f1a","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandText_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandText_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_CommandText_SetterGetter"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"48e21a8d830f16cebd45399b04a95301261b766e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandText_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002347","StartTime":"2026-02-08T22:26:58.9307534+00:00","EndTime":"2026-02-08T22:26:58.9309973+00:00","Properties":[]},{"TestCase":{"Id":"f3ede0dd-abe3-d7d3-2b78-8b6fe4749b8e","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamAsync_WithFilter"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"10a75118e91a030010b7145844e3604611096f03"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.StreamAsync_WithFilter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0045722","StartTime":"2026-02-08T22:26:58.9237339+00:00","EndTime":"2026-02-08T22:26:58.9312298+00:00","Properties":[]},{"TestCase":{"Id":"8d040988-69fd-fbf9-02e9-5d6bb60aebb1","FullyQualifiedName":"DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions","DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Connection_Scope_Management_With_Transactions"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fa2fbc743e4979bae80548d167a5620610336b5f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DecentDBContextTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DecentDBContextTests.Connection_Scope_Management_With_Transactions","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023709","StartTime":"2026-02-08T22:26:58.9277743+00:00","EndTime":"2026-02-08T22:26:58.9314575+00:00","Properties":[]},{"TestCase":{"Id":"0ca8ff7c-1ed4-8225-9513-62da9550f32c","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Columns_AllTables"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5b5364e73a53369832fd3e0aa2a3e50b39e8b9dc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_Columns_AllTables","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007799","StartTime":"2026-02-08T22:26:58.9311654+00:00","EndTime":"2026-02-08T22:26:58.9316206+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":167,"Stats":{"Passed":167}},"ActiveTests":[{"Id":"10e5bc79-5d68-4750-e50b-724e5259bb6d","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow","DisplayName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpsertAsync_UpdatesExistingRow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4697b20a0051a06d0bf83fb3fe3f0c5f0186aef1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"4fb84e52-6189-99f8-e98e-3c564509ff01","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_ComplexPredicate"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"17aab9a45cc340d6ec659bd93abd62df5efb8b60"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"749a21fd-fb62-ab60-41c5-15b0461be619","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Checkpoint_WhenOpen"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"637f7b2313bad6b3fc4b9cf65ddd1b98b8a13f73"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.932, 376298745426751, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.932, 376298745578305, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.932, 376298745601348, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.932, 376298745614653, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.932, 376298745645682, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.932, 376298745660730, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.932, 376298745732645, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Dispose_MultipleTimes.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.932, 376298745847952, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.932, 376298745869873, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.932, 376298745901542, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.932, 376298745964040, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.932, 376298746101357, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.933, 376298746138848, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.933, 376298746201095, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Cancel_WhenNotExecuting.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.933, 376298746311993, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.933, 376298746337411, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.933, 376298746370122, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.933, 376298746432680, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.933, 376298746572572, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Cancel_WhenNotExecuting.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.933, 376298746610694, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Cancel_WhenNotExecuting execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.933, 376298746673482, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithDifferentDataSourceKeys.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.933, 376298746795912, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Dispose_MultipleTimes.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.933, 376298746833112, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Dispose_MultipleTimes execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.933, 376298746897042, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.933, 376298747006477, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithDifferentDataSourceKeys.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.933, 376298747044429, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithDifferentDataSourceKeys execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.933, 376298747106495, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.933, 376298747124709, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.934, 376298747539258, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"5f97a30f-92d9-6689-8367-b35a8a5c88cf","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_DeleteByIdAsync_Entity"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3083caae6c4810620796ba01162c943b95ac9608"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteByIdAsync_Entity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0042179","StartTime":"2026-02-08T22:26:58.9254182+00:00","EndTime":"2026-02-08T22:26:58.932427+00:00","Properties":[]},{"TestCase":{"Id":"749a21fd-fb62-ab60-41c5-15b0461be619","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Checkpoint_WhenOpen"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"637f7b2313bad6b3fc4b9cf65ddd1b98b8a13f73"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Checkpoint_WhenOpen","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004830","StartTime":"2026-02-08T22:26:58.9323436+00:00","EndTime":"2026-02-08T22:26:58.9326988+00:00","Properties":[]},{"TestCase":{"Id":"dc17ea78-8f1d-e069-bafd-eeddbc603218","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ConstructorWithConnectionAndCommandText"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"64876638e985f8dca568ac831531a898f7d824e4"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnectionAndCommandText","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002775","StartTime":"2026-02-08T22:26:58.9328747+00:00","EndTime":"2026-02-08T22:26:58.9329517+00:00","Properties":[]},{"TestCase":{"Id":"7f94d702-502a-dc0e-b9be-2eb64eb06ef9","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAsync_With_Null_NonNullable_Property_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1848fc4d05de6ae27395ea35791ab847aecd172d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.UpdateAsync_With_Null_NonNullable_Property_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0056383","StartTime":"2026-02-08T22:26:58.9249056+00:00","EndTime":"2026-02-08T22:26:58.9331619+00:00","Properties":[]},{"TestCase":{"Id":"9c5dad59-6432-d2b9-a886-ded817aa03ea","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Cancel_WhenNotExecuting","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Cancel_WhenNotExecuting","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_Cancel_WhenNotExecuting"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"67e7d044cc9d9d668b8fdf77c58efe215fedbb06"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Cancel_WhenNotExecuting","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001747","StartTime":"2026-02-08T22:26:58.9331108+00:00","EndTime":"2026-02-08T22:26:58.9334239+00:00","Properties":[]},{"TestCase":{"Id":"1a8e2e0f-168e-dee5-b29a-b1c051e2516f","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Dispose_MultipleTimes","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Dispose_MultipleTimes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Dispose_MultipleTimes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3328af002391ff94734db248914c3dcc5f599543"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Dispose_MultipleTimes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007849","StartTime":"2026-02-08T22:26:58.9326476+00:00","EndTime":"2026-02-08T22:26:58.9336467+00:00","Properties":[]},{"TestCase":{"Id":"71501ace-cfc7-08a7-98d3-367f93b37453","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithDifferentDataSourceKeys","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithDifferentDataSourceKeys","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ParseConnectionString_WithDifferentDataSourceKeys"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"71e1921b99e638cbdb5624cb7409b4339ddd2eda"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithDifferentDataSourceKeys","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002182","StartTime":"2026-02-08T22:26:58.9335835+00:00","EndTime":"2026-02-08T22:26:58.9338581+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":174,"Stats":{"Passed":174}},"ActiveTests":[{"Id":"e86a5a7e-be26-d71e-ca66-dc9fa971344e","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Take_With_Negative_Value_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"22f60a33cb3725e3bb30e5fd0f8bc05f8ab10b7c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"eac6ed5f-a764-b594-7156-ec0b3edbb115","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_BeginTransaction_WithIsolationLevel"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"33a283c05b25d1d481efa6bb6ad7daa9d402f033"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"127b4121-0a93-5def-4433-b5a9b7d557f6","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameter_Properties"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"79552ed3312888e74ecc4afd6fba42b01ce484d7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.934, 376298747615772, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.934, 376298747749553, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.934, 376298747771604, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.934, 376298747784228, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.934, 376298747815116, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.934, 376298747830795, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.934, 376298747889516, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.934, 376298748037644, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.934, 376298748060156, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.934, 376298748091906, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.935, 376298748154203, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPooling.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.935, 376298748253980, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.935, 376298748279648, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.935, 376298748311869, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.935, 376298748370910, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.935, 376298748481057, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.935, 376298748501836, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.935, 376298748533695, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.935, 376298748594690, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.935, 376298748740885, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPooling.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.935, 376298748779517, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPooling execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.935, 376298748840922, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.935, 376298748952863, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.935, 376298748975104, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow' in inProgress list.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.935, 376298748989411, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.936, 376298749391947, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"e86a5a7e-be26-d71e-ca66-dc9fa971344e","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Take_With_Negative_Value_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"22f60a33cb3725e3bb30e5fd0f8bc05f8ab10b7c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Take_With_Negative_Value_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006262","StartTime":"2026-02-08T22:26:58.9333481+00:00","EndTime":"2026-02-08T22:26:58.934599+00:00","Properties":[]},{"TestCase":{"Id":"eac6ed5f-a764-b594-7156-ec0b3edbb115","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_BeginTransaction_WithIsolationLevel"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"33a283c05b25d1d481efa6bb6ad7daa9d402f033"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_BeginTransaction_WithIsolationLevel","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012112","StartTime":"2026-02-08T22:26:58.9338073+00:00","EndTime":"2026-02-08T22:26:58.9348881+00:00","Properties":[]},{"TestCase":{"Id":"13084293-ca92-f864-ea8c-7b9cb3f67d7e","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder","DisplayName":"DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"StreamAsync_YieldsRowsInOrder"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2199a4e589b4a7eeb2e74f21bd026a28e61b6ae4"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.StreamAsync_YieldsRowsInOrder","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0595427","StartTime":"2026-02-08T22:26:58.8227792+00:00","EndTime":"2026-02-08T22:26:58.9351045+00:00","Properties":[]},{"TestCase":{"Id":"4fb84e52-6189-99f8-e98e-3c564509ff01","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_ComplexPredicate"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"17aab9a45cc340d6ec659bd93abd62df5efb8b60"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ComplexPredicate","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0031428","StartTime":"2026-02-08T22:26:58.931404+00:00","EndTime":"2026-02-08T22:26:58.9353322+00:00","Properties":[]},{"TestCase":{"Id":"449231c9-aa69-f875-f6c5-33965374605d","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPooling","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPooling","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Constructor_WithPooling"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"357e3b7fc0e9f68eef7de0a09562349885254ca1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPooling","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008386","StartTime":"2026-02-08T22:26:58.9350642+00:00","EndTime":"2026-02-08T22:26:58.9355918+00:00","Properties":[]},{"TestCase":{"Id":"10e5bc79-5d68-4750-e50b-724e5259bb6d","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow","DisplayName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpsertAsync_UpdatesExistingRow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"4697b20a0051a06d0bf83fb3fe3f0c5f0186aef1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0059817","StartTime":"2026-02-08T22:26:58.9289744+00:00","EndTime":"2026-02-08T22:26:58.9358042+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":180,"Stats":{"Passed":180}},"ActiveTests":[{"Id":"0205796d-c5e4-62ca-502c-04c0a1ca433f","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_No_Matches"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2e11eaa8bcfc28a720c71abeb8f3c3b4020a0cb7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"a7d98029-9fc1-0054-328f-9ef5f8172fa9","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations","DisplayName":"DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AnySingleAndBulkOperations"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"29e997b6e6753e8fd3bd7e724e9a800ec0e94250"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"040cc1d2-1f41-e0dd-c931-3d2c6300f25b","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstAsync_WithPredicate_NoMatch_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1a6d9efab0941610a331d689946f315be5928727"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"d9f7d34c-3d72-a948-d612-843585768016","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_ToList_ToArray"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"39311202976a94e2ec3f1bfa68518e744bca0ed3"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.936, 376298749475274, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.936, 376298749515680, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.UpsertAsync_UpdatesExistingRow execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.936, 376298749532171, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.936, 376298749592534, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.936, 376298749730333, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.936, 376298749754308, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.936, 376298749785136, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.936, 376298749847152, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.936, 376298749971516, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.936, 376298749994519, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.936, 376298750025948, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.936, 376298750086973, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.937, 376298750208160, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.937, 376298750229791, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.937, 376298750259597, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.937, 376298750321784, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.937, 376298750443602, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.937, 376298750469441, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.937, 376298750501401, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.937, 376298750562956, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.937, 376298750672031, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.937, 376298750708630, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.937, 376298750768923, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.937, 376298750787899, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.938, 376298751168965, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"0205796d-c5e4-62ca-502c-04c0a1ca433f","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_No_Matches"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"2e11eaa8bcfc28a720c71abeb8f3c3b4020a0cb7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_No_Matches","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024501","StartTime":"2026-02-08T22:26:58.9347995+00:00","EndTime":"2026-02-08T22:26:58.9365796+00:00","Properties":[]},{"TestCase":{"Id":"127b4121-0a93-5def-4433-b5a9b7d557f6","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameter_Properties"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"79552ed3312888e74ecc4afd6fba42b01ce484d7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Properties","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0033431","StartTime":"2026-02-08T22:26:58.9345319+00:00","EndTime":"2026-02-08T22:26:58.9368229+00:00","Properties":[]},{"TestCase":{"Id":"040cc1d2-1f41-e0dd-c931-3d2c6300f25b","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstAsync_WithPredicate_NoMatch_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1a6d9efab0941610a331d689946f315be5928727"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate_NoMatch_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023980","StartTime":"2026-02-08T22:26:58.9355053+00:00","EndTime":"2026-02-08T22:26:58.9370593+00:00","Properties":[]},{"TestCase":{"Id":"d9f7d34c-3d72-a948-d612-843585768016","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_ToList_ToArray"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"39311202976a94e2ec3f1bfa68518e744bca0ed3"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_ToList_ToArray","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0025346","StartTime":"2026-02-08T22:26:58.9357503+00:00","EndTime":"2026-02-08T22:26:58.9372947+00:00","Properties":[]},{"TestCase":{"Id":"63992858-5261-6c0e-560c-34c29fb0bc7d","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows","DisplayName":"DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExecuteScalarAsync_CountRows"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"505a37bce26e80a82531e65667dc6b2968596273"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ExecuteScalarAsync_CountRows","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023138","StartTime":"2026-02-08T22:26:58.9365033+00:00","EndTime":"2026-02-08T22:26:58.9375236+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":185,"Stats":{"Passed":185}},"ActiveTests":[{"Id":"b0adbbb1-1575-bb7c-d715-54a9d9d6a016","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SingleAsync_With_No_Results_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3c30945ebdcf18e57144b8aae8b7639a5bc57bfd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"c23e5121-9f0f-79aa-7a53-8d587445ce39","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DefaultConstructor_CreatesInstance"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"79d380cfc3057b7cf0af9e1f4c16ab5c0814b7f7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"7fa7d1d0-5091-1621-48d7-43952673159d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAsync_NonExistentEntity_DoesNotThrow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"248b8a74850893e4c754c92d462eda34cab9531e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"353423a5-289b-b55c-1903-053350e84aee","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Count_LongCount"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3caa4f6a1b92959dec412862dcbbb40394689f5b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"871378ad-ad80-45f4-ffae-4b44e13b53bf","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertOrIgnoreAsync_InsertsNewRow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"517bc39142d51fe3765f9cad64b5224839983b3b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.938, 376298751240058, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.938, 376298751384119, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.938, 376298751406120, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.938, 376298751419034, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.938, 376298751449301, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.938, 376298751465421, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.938, 376298751527839, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.938, 376298751653805, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.938, 376298751676037, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.938, 376298751706314, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.938, 376298751768190, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.938, 376298751891471, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.938, 376298751945623, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.938, 376298752045110, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithVariousOptions.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.939, 376298752218956, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.939, 376298752246658, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.939, 376298752279450, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.939, 376298752342218, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Single.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.939, 376298752467503, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithVariousOptions.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.939, 376298752510504, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithVariousOptions execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.939, 376298752572030, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Prepare_WhenConnectionClosed_Throws.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.939, 376298752718515, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Prepare_WhenConnectionClosed_Throws.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.939, 376298752757708, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Prepare_WhenConnectionClosed_Throws execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.939, 376298752821318, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.939, 376298752939660, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.939, 376298752962192, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception' in inProgress list.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.939, 376298752977371, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.940, 376298753380197, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"7fa7d1d0-5091-1621-48d7-43952673159d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpdateAsync_NonExistentEntity_DoesNotThrow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"248b8a74850893e4c754c92d462eda34cab9531e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.UpdateAsync_NonExistentEntity_DoesNotThrow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015427","StartTime":"2026-02-08T22:26:58.9372324+00:00","EndTime":"2026-02-08T22:26:58.9382329+00:00","Properties":[]},{"TestCase":{"Id":"c23e5121-9f0f-79aa-7a53-8d587445ce39","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DefaultConstructor_CreatesInstance"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"79d380cfc3057b7cf0af9e1f4c16ab5c0814b7f7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DefaultConstructor_CreatesInstance","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026241","StartTime":"2026-02-08T22:26:58.9369957+00:00","EndTime":"2026-02-08T22:26:58.9385047+00:00","Properties":[]},{"TestCase":{"Id":"de249baf-1c1b-075f-27fa-69f520c87de1","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteScalar_WhenConnectionIsNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"846353127128b1fe257eb07cb39d15e570f5264d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalar_WhenConnectionIsNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003133","StartTime":"2026-02-08T22:26:58.9386781+00:00","EndTime":"2026-02-08T22:26:58.9387394+00:00","Properties":[]},{"TestCase":{"Id":"353423a5-289b-b55c-1903-053350e84aee","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Count_LongCount"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3caa4f6a1b92959dec412862dcbbb40394689f5b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Count_LongCount","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020294","StartTime":"2026-02-08T22:26:58.9374719+00:00","EndTime":"2026-02-08T22:26:58.9390665+00:00","Properties":[]},{"TestCase":{"Id":"c3aa77a6-e3c5-b67f-2d9e-b076a8c5e48a","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithVariousOptions","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithVariousOptions","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ParseConnectionString_WithVariousOptions"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8d2449e4a77be5eb59e4d64828dc05ef0be03591"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ParseConnectionString_WithVariousOptions","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005205","StartTime":"2026-02-08T22:26:58.938979+00:00","EndTime":"2026-02-08T22:26:58.9393182+00:00","Properties":[]},{"TestCase":{"Id":"f8a70e9a-f5e8-0502-cc95-c15408de5a92","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Prepare_WhenConnectionClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Prepare_WhenConnectionClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_Prepare_WhenConnectionClosed_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8fe5a1e765e5cca73e946ac8f293adb3dd290826"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_Prepare_WhenConnectionClosed_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004262","StartTime":"2026-02-08T22:26:58.9394836+00:00","EndTime":"2026-02-08T22:26:58.9395696+00:00","Properties":[]},{"TestCase":{"Id":"b0adbbb1-1575-bb7c-d715-54a9d9d6a016","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SingleAsync_With_No_Results_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3c30945ebdcf18e57144b8aae8b7639a5bc57bfd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0046678","StartTime":"2026-02-08T22:26:58.9367582+00:00","EndTime":"2026-02-08T22:26:58.9397899+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":192,"Stats":{"Passed":192}},"ActiveTests":[{"Id":"7cb768f7-4eb9-6319-2925-8b893342f480","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_Contains"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"257b5bdd1beb49ef473dd1b9733a6673094d2e73"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"255e77c9-cfe9-6167-4713-b3907ef89a8c","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Single","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Single","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Single"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"43a47396cfbdda53f18ffd3d70f81c74314528eb"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"acdabade-63bd-d423-ce8e-c8a39761690f","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_WhenClosed_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"90254d903d72a223bceab32878756d35290bd635"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.940, 376298753453765, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.940, 376298753494562, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.SingleAsync_With_No_Results_Throws_Exception execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.940, 376298753510512, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.940, 376298753613335, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.940, 376298753776702, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.940, 376298753811477, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.940, 376298753844990, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.940, 376298753921975, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.940, 376298754044735, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.940, 376298754065023, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.940, 376298754095611, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.941, 376298754156235, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Dispose_MultipleTimes.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.941, 376298754279526, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.941, 376298754304032, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.941, 376298754335381, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.941, 376298754397027, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.941, 376298754505761, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Dispose_MultipleTimes.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.941, 376298754543332, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Dispose_MultipleTimes execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.941, 376298754603875, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandTimeout_SetterGetter.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.941, 376298754724342, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.941, 376298754760630, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.941, 376298754834178, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.941, 376298754920600, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandTimeout_SetterGetter.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.941, 376298754957249, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandTimeout_SetterGetter execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.941, 376298755047478, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.941, 376298755066975, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.942, 376298755561444, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"871378ad-ad80-45f4-ffae-4b44e13b53bf","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertOrIgnoreAsync_InsertsNewRow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"517bc39142d51fe3765f9cad64b5224839983b3b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_InsertsNewRow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0025514","StartTime":"2026-02-08T22:26:58.938156+00:00","EndTime":"2026-02-08T22:26:58.9406148+00:00","Properties":[]},{"TestCase":{"Id":"acdabade-63bd-d423-ce8e-c8a39761690f","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_WhenClosed_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"90254d903d72a223bceab32878756d35290bd635"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_WhenClosed_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002513","StartTime":"2026-02-08T22:26:58.9397382+00:00","EndTime":"2026-02-08T22:26:58.9408957+00:00","Properties":[]},{"TestCase":{"Id":"a7d98029-9fc1-0054-328f-9ef5f8172fa9","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations","DisplayName":"DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AnySingleAndBulkOperations"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"29e997b6e6753e8fd3bd7e724e9a800ec0e94250"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.AnySingleAndBulkOperations","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0068102","StartTime":"2026-02-08T22:26:58.9352797+00:00","EndTime":"2026-02-08T22:26:58.9411303+00:00","Properties":[]},{"TestCase":{"Id":"92c22614-496a-e1ed-13a6-e6ddafe2b781","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Dispose_MultipleTimes","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Dispose_MultipleTimes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBTransaction_Dispose_MultipleTimes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"99c0970c49e51a00523cb6c3d514366d369df92b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Dispose_MultipleTimes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005080","StartTime":"2026-02-08T22:26:58.9410655+00:00","EndTime":"2026-02-08T22:26:58.9413572+00:00","Properties":[]},{"TestCase":{"Id":"fce272fd-1d0d-43a4-7745-79d67ec92fb7","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert","DisplayName":"DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ExecuteNonQueryAsync_CreateAndInsert"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"51b64663ed1ccbc469d75db4efa6da9d69bcd513"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ExecuteNonQueryAsync_CreateAndInsert","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010317","StartTime":"2026-02-08T22:26:58.9408311+00:00","EndTime":"2026-02-08T22:26:58.9415753+00:00","Properties":[]},{"TestCase":{"Id":"50eda72f-28b0-47a5-2c1f-4ff84e335a5b","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandTimeout_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandTimeout_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_CommandTimeout_SetterGetter"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a5b2aa7740427efd37a961579dff9c3e0f87f614"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandTimeout_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003077","StartTime":"2026-02-08T22:26:58.9415137+00:00","EndTime":"2026-02-08T22:26:58.9417727+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":198,"Stats":{"Passed":198}},"ActiveTests":[{"Id":"1d976069-fdac-995c-d17e-60542f3143dc","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_With_Null_NonNullable_Property_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"41f66c31133365c0102e4caf9575ae8c42a41787"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"2c74f57b-e388-3a92-cd24-dfc5c9cfa82a","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability","DisplayName":"DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AttributesControlMappingAndNullability"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3474f837d593665bd0856c011701b1297e606b4e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"2910b266-23bd-b55c-bde1-4cecadbbb096","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_AutoIncrement_ReadBack"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5ac5c1eecffde05c1d125a934ecb7af2096e3891"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"5162fc82-33f7-2854-4eba-6e2c7a21c29d","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ad7f74e6c5a9747b2f0615f56d3e0bfd2bfc4a5f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.942, 376298755649960, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.942, 376298755811163, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Single.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.942, 376298755839105, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.942, 376298755852110, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_Single' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.942, 376298755881685, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Single execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.942, 376298755898136, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.942, 376298755957848, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.942, 376298756069718, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.942, 376298756090147, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.943, 376298756125433, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.943, 376298756185927, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.943, 376298756318546, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.943, 376298756340717, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.943, 376298756370543, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.943, 376298756432500, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.943, 376298756580037, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.943, 376298756603511, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.943, 376298756634589, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.943, 376298756699321, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.943, 376298756766467, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.943, 376298756802735, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.943, 376298756893936, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_IsolationLevels.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.943, 376298757026786, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_IsolationLevels.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.943, 376298757064607, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_IsolationLevels execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.943, 376298757124239, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.944, 376298757142423, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.944, 376298757633555, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"255e77c9-cfe9-6167-4713-b3907ef89a8c","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Single","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Single","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Single"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"43a47396cfbdda53f18ffd3d70f81c74314528eb"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Single","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019522","StartTime":"2026-02-08T22:26:58.939266+00:00","EndTime":"2026-02-08T22:26:58.9426589+00:00","Properties":[]},{"TestCase":{"Id":"5162fc82-33f7-2854-4eba-6e2c7a21c29d","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ad7f74e6c5a9747b2f0615f56d3e0bfd2bfc4a5f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQuery_WhenConnectionIsNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003423","StartTime":"2026-02-08T22:26:58.9425677+00:00","EndTime":"2026-02-08T22:26:58.9429203+00:00","Properties":[]},{"TestCase":{"Id":"7cb768f7-4eb9-6319-2925-8b893342f480","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_Contains"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"257b5bdd1beb49ef473dd1b9733a6673094d2e73"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_Contains","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0036861","StartTime":"2026-02-08T22:26:58.9384418+00:00","EndTime":"2026-02-08T22:26:58.9431693+00:00","Properties":[]},{"TestCase":{"Id":"1d976069-fdac-995c-d17e-60542f3143dc","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_With_Null_NonNullable_Property_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"41f66c31133365c0102e4caf9575ae8c42a41787"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertAsync_With_Null_NonNullable_Property_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024401","StartTime":"2026-02-08T22:26:58.9405491+00:00","EndTime":"2026-02-08T22:26:58.9434294+00:00","Properties":[]},{"TestCase":{"Id":"72452ed7-e382-d807-cbd0-41deec5d9cd8","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteScalarAsync"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"adf4df43ad99566406b28a6f9e4be1c55286516b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteScalarAsync","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009709","StartTime":"2026-02-08T22:26:58.943095+00:00","EndTime":"2026-02-08T22:26:58.9436182+00:00","Properties":[]},{"TestCase":{"Id":"2b8c0cce-0109-cf7b-69dc-f1558539e483","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_IsolationLevels","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_IsolationLevels","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_BeginTransaction_IsolationLevels"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ae0fd356371d513c6b5156cd1f56db26a7ef8690"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_BeginTransaction_IsolationLevels","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005841","StartTime":"2026-02-08T22:26:58.9438174+00:00","EndTime":"2026-02-08T22:26:58.9438785+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":204,"Stats":{"Passed":204}},"ActiveTests":[{"Id":"96e53a34-83f6-258b-9197-27be0603ad87","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_StreamAsync"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5100cd758a7f97970619f8c73dc030d5b3bd9920"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"6b396488-7d58-63f0-5e5e-02730d562b02","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_ChainedMultiple_ImpliesAnd"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"267811a7d648d0b625e510bf5a8cb280a47afaad"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"dfc888a5-81a7-123d-d01e-f2b5f4f8d3a6","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_Empty_Collection"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6d264247fbe2a485db95fc085032c5ebd34a1859"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"39692422-89f8-13a8-e1df-536c40f5aa09","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameterCollection_UsageThroughCommand"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b63038428e4f991910fd6249e94d8caf942ac9aa"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.944, 376298757717202, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.944, 376298757854190, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.944, 376298757875770, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.944, 376298757888704, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.944, 376298757921296, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.944, 376298757936704, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.944, 376298757995465, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.944, 376298758118316, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.945, 376298758139746, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.945, 376298758170664, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.945, 376298758231468, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.945, 376298758343238, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.945, 376298758364508, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.945, 376298758400686, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.945, 376298758461420, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.945, 376298758583429, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.945, 376298758604579, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.945, 376298758635407, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.945, 376298758709305, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.945, 376298758831916, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.945, 376298758853085, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.945, 376298758884585, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.945, 376298758950909, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.945, 376298758974413, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.946, 376298759390865, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"96e53a34-83f6-258b-9197-27be0603ad87","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_StreamAsync"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5100cd758a7f97970619f8c73dc030d5b3bd9920"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_StreamAsync","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0021678","StartTime":"2026-02-08T22:26:58.9428681+00:00","EndTime":"2026-02-08T22:26:58.9447026+00:00","Properties":[]},{"TestCase":{"Id":"6b396488-7d58-63f0-5e5e-02730d562b02","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_ChainedMultiple_ImpliesAnd"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"267811a7d648d0b625e510bf5a8cb280a47afaad"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_ChainedMultiple_ImpliesAnd","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0022280","StartTime":"2026-02-08T22:26:58.943349+00:00","EndTime":"2026-02-08T22:26:58.944969+00:00","Properties":[]},{"TestCase":{"Id":"39692422-89f8-13a8-e1df-536c40f5aa09","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameterCollection_UsageThroughCommand"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b63038428e4f991910fd6249e94d8caf942ac9aa"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameterCollection_UsageThroughCommand","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011567","StartTime":"2026-02-08T22:26:58.9446347+00:00","EndTime":"2026-02-08T22:26:58.9451946+00:00","Properties":[]},{"TestCase":{"Id":"2910b266-23bd-b55c-bde1-4cecadbbb096","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_AutoIncrement_ReadBack"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5ac5c1eecffde05c1d125a934ecb7af2096e3891"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_AutoIncrement_ReadBack","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0033504","StartTime":"2026-02-08T22:26:58.9417578+00:00","EndTime":"2026-02-08T22:26:58.9454347+00:00","Properties":[]},{"TestCase":{"Id":"dfc888a5-81a7-123d-d01e-f2b5f4f8d3a6","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_Empty_Collection"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6d264247fbe2a485db95fc085032c5ebd34a1859"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Empty_Collection","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020766","StartTime":"2026-02-08T22:26:58.9437235+00:00","EndTime":"2026-02-08T22:26:58.9456824+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":209,"Stats":{"Passed":209}},"ActiveTests":[{"Id":"ad072b42-fb5f-353d-c214-af344ef37d71","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_InTransaction"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"511089058d2d18ea63e272238d8e72c49fdeb86b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"17bd2927-df11-f139-2cc0-9065a68b6fe1","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OrderBy_Skip_Take_Pagination"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26e3ec7e09a9c7a32ddac1188d57ce29a8a61ead"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"59fd77a7-f77d-3d3b-b37e-6b764c177a7d","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ChangeDatabase_NotSupported"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bed5e93d569c198683ee6ba89fc9be8d70ca1b18"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"8c42a703-55ba-0646-e89b-fdb8cc430975","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn","DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectAsync_ProjectsSingleColumn"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5c9d0321256d40098b1715d5a834ee79bd2518ad"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"9556e6c2-ec71-6662-fdc0-a381d277356e","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_Single_Item"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"94ff20cd3fbd233d96ba1a91e325d2a8f8df0f09"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.946, 376298759489380, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.946, 376298759669879, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.946, 376298759696259, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.946, 376298759709995, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.946, 376298759741364, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.946, 376298759756292, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.946, 376298759816274, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CreateParameter_CreatesInstance.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.946, 376298759937141, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CreateParameter_CreatesInstance.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.946, 376298759974922, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CreateParameter_CreatesInstance execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.946, 376298759990011, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.946, 376298760046958, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandType_SetterGetter.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.947, 376298760170439, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DapperIntegrationTests.TestDapperAsync.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.947, 376298760191790, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DapperIntegrationTests.TestDapperAsync' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.947, 376298760222948, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DapperIntegrationTests.TestDapperAsync execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.947, 376298760282730, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DapperIntegrationTests.TestDapperExecute.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.947, 376298760393388, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandType_SetterGetter.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.947, 376298760430688, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandType_SetterGetter execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.947, 376298760491773, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.947, 376298760613011, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.947, 376298760635192, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.947, 376298760665189, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.947, 376298760732355, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.947, 376298760840839, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.947, 376298760876546, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.947, 376298760937971, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.948, 376298761133608, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.948, 376298761166801, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability' in inProgress list.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.948, 376298761189383, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.948, 376298761594724, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"59fd77a7-f77d-3d3b-b37e-6b764c177a7d","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ChangeDatabase_NotSupported"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bed5e93d569c198683ee6ba89fc9be8d70ca1b18"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ChangeDatabase_NotSupported","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0003295","StartTime":"2026-02-08T22:26:58.9453716+00:00","EndTime":"2026-02-08T22:26:58.9465157+00:00","Properties":[]},{"TestCase":{"Id":"eaa01d9b-65d0-c947-106a-5e99f781bcdc","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CreateParameter_CreatesInstance","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CreateParameter_CreatesInstance","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_CreateParameter_CreatesInstance"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c3ca7e6c9e221193283a27c637a58d43c57fa1e8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CreateParameter_CreatesInstance","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001399","StartTime":"2026-02-08T22:26:58.946727+00:00","EndTime":"2026-02-08T22:26:58.9467886+00:00","Properties":[]},{"TestCase":{"Id":"76f5d7ad-3f72-3483-57fe-4356c31211fe","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperAsync","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperAsync"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"1f20a463a21014e1a1ae4626361cf8cff8136c20"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperAsync","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0298264","StartTime":"2026-02-08T22:26:58.9129798+00:00","EndTime":"2026-02-08T22:26:58.947021+00:00","Properties":[]},{"TestCase":{"Id":"62957b7d-4109-ad30-6619-e3fd16a75633","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandType_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandType_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_CommandType_SetterGetter"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c43b09d60c8a9bf3bc3c97c1648094919c474495"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_CommandType_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004593","StartTime":"2026-02-08T22:26:58.9469571+00:00","EndTime":"2026-02-08T22:26:58.947244+00:00","Properties":[]},{"TestCase":{"Id":"ad072b42-fb5f-353d-c214-af344ef37d71","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_InTransaction"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"511089058d2d18ea63e272238d8e72c49fdeb86b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InTransaction","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019951","StartTime":"2026-02-08T22:26:58.9449051+00:00","EndTime":"2026-02-08T22:26:58.947464+00:00","Properties":[]},{"TestCase":{"Id":"5022e632-a994-6027-20a3-30a3d076d1ad","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_Database_Property"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d318c9f9321637877326f334eb4e48490aac7cee"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_Database_Property","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002292","StartTime":"2026-02-08T22:26:58.9474013+00:00","EndTime":"2026-02-08T22:26:58.9476919+00:00","Properties":[]},{"TestCase":{"Id":"2c74f57b-e388-3a92-cd24-dfc5c9cfa82a","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability","DisplayName":"DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AttributesControlMappingAndNullability"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"3474f837d593665bd0856c011701b1297e606b4e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0064142","StartTime":"2026-02-08T22:26:58.9413061+00:00","EndTime":"2026-02-08T22:26:58.9479695+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":216,"Stats":{"Passed":216}},"ActiveTests":[{"Id":"202b3fa6-879e-e3e1-a9e5-b102e4eb4ce3","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperExecute","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperExecute","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperExecute"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"380c5e06499d006fa1c74746311f9a967463b7e7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},{"Id":"8d4b7e03-1719-df1f-668b-0856562e483d","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Any_Exists"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"51f6695aa765c18e4f4f22da021bebd989dba305"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"c74f5b64-9855-0061-7b89-801dd9286eff","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameter_Constructors"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dc400e73e37fd480775b7b49260f94f0aa0e7602"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.948, 376298761670296, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.948, 376298761713167, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmTests.AttributesControlMappingAndNullability execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.948, 376298761728776, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.948, 376298761793788, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.948, 376298761922961, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.948, 376298761944221, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.948, 376298761976802, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.948, 376298762068745, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.948, 376298762089153, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.948, 376298762118909, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.949, 376298762154425, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.949, 376298762244414, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.ListTablesJson_ReturnsCreatedTable.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.949, 376298762403022, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.949, 376298762428741, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.949, 376298762459558, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.949, 376298762521144, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.949, 376298762650838, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.ListTablesJson_ReturnsCreatedTable.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.949, 376298762687837, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.ListTablesJson_ReturnsCreatedTable execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.949, 376298762766054, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.949, 376298762786893, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.949, 376298762817080, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.949, 376298762890417, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.949, 376298762930703, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.949, 376298762949007, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.950, 376298763365690, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"9556e6c2-ec71-6662-fdc0-a381d277356e","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_Single_Item"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"94ff20cd3fbd233d96ba1a91e325d2a8f8df0f09"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_Single_Item","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0027580","StartTime":"2026-02-08T22:26:58.9464332+00:00","EndTime":"2026-02-08T22:26:58.9487724+00:00","Properties":[]},{"TestCase":{"Id":"17bd2927-df11-f139-2cc0-9065a68b6fe1","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OrderBy_Skip_Take_Pagination"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"26e3ec7e09a9c7a32ddac1188d57ce29a8a61ead"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderBy_Skip_Take_Pagination","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0033440","StartTime":"2026-02-08T22:26:58.9451429+00:00","EndTime":"2026-02-08T22:26:58.9489198+00:00","Properties":[]},{"TestCase":{"Id":"8d4b7e03-1719-df1f-668b-0856562e483d","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Any_Exists"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"51f6695aa765c18e4f4f22da021bebd989dba305"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Any_Exists","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026638","StartTime":"2026-02-08T22:26:58.9476417+00:00","EndTime":"2026-02-08T22:26:58.9492405+00:00","Properties":[]},{"TestCase":{"Id":"5eec466a-3967-59f1-232a-f22b7d672435","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.ListTablesJson_ReturnsCreatedTable","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ListTablesJson_ReturnsCreatedTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ListTablesJson_ReturnsCreatedTable"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"309742e38c212223ee69c1f5a431821ea195fac1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ListTablesJson_ReturnsCreatedTable","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0008610","StartTime":"2026-02-08T22:26:58.9491673+00:00","EndTime":"2026-02-08T22:26:58.9495008+00:00","Properties":[]},{"TestCase":{"Id":"c74f5b64-9855-0061-7b89-801dd9286eff","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBParameter_Constructors"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dc400e73e37fd480775b7b49260f94f0aa0e7602"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBParameter_Constructors","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0027214","StartTime":"2026-02-08T22:26:58.9478473+00:00","EndTime":"2026-02-08T22:26:58.949605+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":221,"Stats":{"Passed":221}},"ActiveTests":[{"Id":"71245ccd-2f41-6c65-b4c8-f663ca9c1e70","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip","DisplayName":"DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertQueryUpdateDelete_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"44feb4323438dc0d31a1c1349c38cf61aa003111"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"0837e8d7-981e-fe99-2e5b-58c33fcce9d7","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_Null_Predicate_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"aedfe8363696a1a88154cb81968cac6d8ea67fef"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"85e17a53-a6ea-6cd0-7446-467bffa03111","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Constructor_WithConnectionString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5bbfc58ea703cb8ac1450c8feec8f4c75c8c6ced"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"c92a6d98-9528-dfc6-e998-4c21c5cabea2","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OrderByDescending_SortsByColumnDesc"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"34602bc3676259d4548bca32a88dcdd3aff982bc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"3f24a3c8-45d3-f30d-9663-de45eaa6a8df","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DbTransaction_SetterGetter"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dd75aefd626560394b6d44f05cffbfdd704dde6c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.950, 376298763469034, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.950, 376298763694327, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.950, 376298763720085, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.950, 376298763734392, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.950, 376298763766382, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.950, 376298763781150, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.950, 376298763840431, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.950, 376298763952492, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.950, 376298763973802, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.950, 376298764003547, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.950, 376298764069511, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQueryAsync.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.951, 376298764195748, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.951, 376298764217189, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.951, 376298764247465, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.951, 376298764308270, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.951, 376298764442021, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.951, 376298764477928, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.951, 376298764539854, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithInvalidPath_Throws.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.951, 376298764648418, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQueryAsync.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.951, 376298764684706, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQueryAsync execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.951, 376298764743998, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Commit_ThenDispose.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.951, 376298764873230, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Commit_ThenDispose.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.951, 376298764908466, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Commit_ThenDispose execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.951, 376298764968469, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.951, 376298765124402, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithInvalidPath_Throws.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.952, 376298765168234, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithInvalidPath_Throws execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.952, 376298765229830, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.952, 376298765248685, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.952, 376298765649919, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"85e17a53-a6ea-6cd0-7446-467bffa03111","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Constructor_WithConnectionString"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5bbfc58ea703cb8ac1450c8feec8f4c75c8c6ced"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithConnectionString","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007327","StartTime":"2026-02-08T22:26:58.9494352+00:00","EndTime":"2026-02-08T22:26:58.9505419+00:00","Properties":[]},{"TestCase":{"Id":"3f24a3c8-45d3-f30d-9663-de45eaa6a8df","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_DbTransaction_SetterGetter"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dd75aefd626560394b6d44f05cffbfdd704dde6c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_DbTransaction_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006474","StartTime":"2026-02-08T22:26:58.9504559+00:00","EndTime":"2026-02-08T22:26:58.9508034+00:00","Properties":[]},{"TestCase":{"Id":"0837e8d7-981e-fe99-2e5b-58c33fcce9d7","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteManyAsync_With_Null_Predicate_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"aedfe8363696a1a88154cb81968cac6d8ea67fef"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.DeleteManyAsync_With_Null_Predicate_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016732","StartTime":"2026-02-08T22:26:58.949087+00:00","EndTime":"2026-02-08T22:26:58.9510463+00:00","Properties":[]},{"TestCase":{"Id":"544743ba-977d-ba36-b842-919312a74f42","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Constructor_WithPath"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"63b03e28dd6a017b34040acef0322c05e6aa8db5"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithPath","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006070","StartTime":"2026-02-08T22:26:58.9507513+00:00","EndTime":"2026-02-08T22:26:58.9512929+00:00","Properties":[]},{"TestCase":{"Id":"70468a32-2f05-eb33-e307-499f98adf348","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQueryAsync","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQueryAsync","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ExecuteNonQueryAsync"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"de69f82e7486faa4cc6b7129ba649a75783d9c64"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ExecuteNonQueryAsync","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010963","StartTime":"2026-02-08T22:26:58.9509802+00:00","EndTime":"2026-02-08T22:26:58.9515003+00:00","Properties":[]},{"TestCase":{"Id":"23b36d5a-1ac9-83d0-5038-82c962e92b47","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Commit_ThenDispose","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Commit_ThenDispose","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBTransaction_Commit_ThenDispose"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e1c98cc6f89ea4d5e7c5366eae0233ea2bc5020d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBTransaction_Commit_ThenDispose","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005206","StartTime":"2026-02-08T22:26:58.9516643+00:00","EndTime":"2026-02-08T22:26:58.9517248+00:00","Properties":[]},{"TestCase":{"Id":"19748034-6bf6-1395-dbd2-6ae23a14a320","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithInvalidPath_Throws","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithInvalidPath_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Constructor_WithInvalidPath_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6bd3e5c33993a1f66ab1fb3f097802e928548d51"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Constructor_WithInvalidPath_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011365","StartTime":"2026-02-08T22:26:58.9514491+00:00","EndTime":"2026-02-08T22:26:58.9519729+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":228,"Stats":{"Passed":228}},"ActiveTests":[{"Id":"26f1fe6f-1383-3c20-4c0a-8924511180e8","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b4f7ef1ee433c0223f019d67ed17833ae92bbc82"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"342f3946-8762-c4d4-f9a6-760dd93258cd","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ConstructorWithConnection"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e2347e9e352b16dc0702abe7dfc29662c3002334"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"b452bea4-f038-1586-e48d-75fb3c89c714","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_OrderBy_ThenBy"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"784563e96ece45259e00faddf4b0581c0fcfcb41"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.952, 376298765757761, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.952, 376298765904477, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.952, 376298765925596, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.952, 376298765939623, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.952, 376298765971132, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.952, 376298765986060, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.952, 376298766049178, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_SetterGetter.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.953, 376298766174774, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.953, 376298766195563, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.953, 376298766232182, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.953, 376298766296663, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmTests.Views_CanBeMapped.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.953, 376298766431967, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_SetterGetter.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.953, 376298766468245, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_SetterGetter execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.953, 376298766522407, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.953, 376298766540050, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.953, 376298766570077, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.953, 376298766654625, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.953, 376298766690974, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.953, 376298766876502, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.953, 376298766898754, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.953, 376298766929231, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.953, 376298766991779, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.953, 376298767113627, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.954, 376298767134376, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn' in inProgress list.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.954, 376298767147721, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.954, 376298767544306, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"342f3946-8762-c4d4-f9a6-760dd93258cd","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBCommand_ConstructorWithConnection"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e2347e9e352b16dc0702abe7dfc29662c3002334"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBCommand_ConstructorWithConnection","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001654","StartTime":"2026-02-08T22:26:58.9518839+00:00","EndTime":"2026-02-08T22:26:58.9527513+00:00","Properties":[]},{"TestCase":{"Id":"71245ccd-2f41-6c65-b4c8-f663ca9c1e70","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip","DisplayName":"DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertQueryUpdateDelete_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"44feb4323438dc0d31a1c1349c38cf61aa003111"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.InsertQueryUpdateDelete_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0039167","StartTime":"2026-02-08T22:26:58.9487056+00:00","EndTime":"2026-02-08T22:26:58.9530246+00:00","Properties":[]},{"TestCase":{"Id":"96c9f895-63ea-ac27-6c3f-2f28cc51e825","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_SetterGetter","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_SetterGetter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ConnectionString_SetterGetter"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f0c75eb0acc79b3b76e7a9e3e0fb8420464fd267"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ConnectionString_SetterGetter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001568","StartTime":"2026-02-08T22:26:58.9529583+00:00","EndTime":"2026-02-08T22:26:58.9532826+00:00","Properties":[]},{"TestCase":{"Id":"c92a6d98-9528-dfc6-e998-4c21c5cabea2","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"OrderByDescending_SortsByColumnDesc"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"34602bc3676259d4548bca32a88dcdd3aff982bc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.OrderByDescending_SortsByColumnDesc","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0027288","StartTime":"2026-02-08T22:26:58.9504062+00:00","EndTime":"2026-02-08T22:26:58.9533726+00:00","Properties":[]},{"TestCase":{"Id":"26f1fe6f-1383-3c20-4c0a-8924511180e8","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b4f7ef1ee433c0223f019d67ed17833ae92bbc82"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.SingleOrDefaultAsync_With_Multiple_Results_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024507","StartTime":"2026-02-08T22:26:58.9512186+00:00","EndTime":"2026-02-08T22:26:58.9537262+00:00","Properties":[]},{"TestCase":{"Id":"8c42a703-55ba-0646-e89b-fdb8cc430975","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn","DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectAsync_ProjectsSingleColumn"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5c9d0321256d40098b1715d5a834ee79bd2518ad"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0071763","StartTime":"2026-02-08T22:26:58.9456198+00:00","EndTime":"2026-02-08T22:26:58.953964+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":234,"Stats":{"Passed":234}},"ActiveTests":[{"Id":"a29fcf39-e67b-f406-be6e-28902fe5a60b","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.Views_CanBeMapped","DisplayName":"DecentDB.Tests.MicroOrmTests.Views_CanBeMapped","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Views_CanBeMapped"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"74674842c8be44e6dde93a9ce94cbb0008c3f720"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"3b650059-f94b-572f-b30f-9b2c8e884fee","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_UnsupportedCollection_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f16297bd462c73f0ccd14986a25d8bd7d6602b9d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},{"Id":"27f53195-2828-22fc-0dba-9278a07e198a","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteMany_EmptyTable_ReturnsZero"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"42e35a74a88ec2b6f6b3bc7bdc6793fcb1ec8420"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"1141117d-230b-49dc-0830-a5d716b4be28","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_With_Transaction"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d96057c31bf65fe77974b8c5e3958d376cc70df1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.954, 376298767623946, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.954, 376298767665684, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.SelectAsync_ProjectsSingleColumn execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.954, 376298767681404, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.954, 376298767742468, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.954, 376298767868325, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.954, 376298767890266, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.954, 376298767921845, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.954, 376298767981487, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ServerVersion_Property.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.954, 376298768103466, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ServerVersion_Property.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.955, 376298768139294, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ServerVersion_Property execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.955, 376298768252105, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.955, 376298768272023, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.955, 376298768306798, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.955, 376298768369446, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.FirstOrDefault_EmptyTable_ReturnsNull.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.955, 376298768490062, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.955, 376298768526070, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.955, 376298768586253, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.Factory_CreateParameter.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.955, 376298768708002, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.955, 376298768731636, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.955, 376298768762514, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.955, 376298768823348, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.955, 376298768930760, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.Factory_CreateParameter.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.955, 376298768966988, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.Factory_CreateParameter execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.955, 376298769026430, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.956, 376298769288442, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.FirstOrDefault_EmptyTable_ReturnsNull.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.956, 376298769353013, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.FirstOrDefault_EmptyTable_ReturnsNull execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.956, 376298769449815, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.956, 376298769480402, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.956, 376298770105386, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"3b650059-f94b-572f-b30f-9b2c8e884fee","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws","DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_UnsupportedCollection_Throws"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f16297bd462c73f0ccd14986a25d8bd7d6602b9d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.GetSchema_UnsupportedCollection_Throws","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005816","StartTime":"2026-02-08T22:26:58.9535984+00:00","EndTime":"2026-02-08T22:26:58.9547174+00:00","Properties":[]},{"TestCase":{"Id":"a49487ba-8e85-e560-f3fa-3517575907e3","FullyQualifiedName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ServerVersion_Property","DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ServerVersion_Property","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBConnection_ServerVersion_Property"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"fab42479d3630eb0bddf5d605a25aa6df2feacd8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.AdoNetLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.AdoNetLayerTests.DecentDBConnection_ServerVersion_Property","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002434","StartTime":"2026-02-08T22:26:58.9548918+00:00","EndTime":"2026-02-08T22:26:58.9549544+00:00","Properties":[]},{"TestCase":{"Id":"27f53195-2828-22fc-0dba-9278a07e198a","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteMany_EmptyTable_ReturnsZero"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"42e35a74a88ec2b6f6b3bc7bdc6793fcb1ec8420"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteMany_EmptyTable_ReturnsZero","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014453","StartTime":"2026-02-08T22:26:58.9536287+00:00","EndTime":"2026-02-08T22:26:58.9551034+00:00","Properties":[]},{"TestCase":{"Id":"03fe9151-fb5e-270f-aefb-cedb3a33fe40","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertAsync_ExplicitId_StillWorks"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5f77c271f2f87a1dff6f870a891206cbca992dd1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.InsertAsync_ExplicitId_StillWorks","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015219","StartTime":"2026-02-08T22:26:58.954666+00:00","EndTime":"2026-02-08T22:26:58.9553413+00:00","Properties":[]},{"TestCase":{"Id":"b452bea4-f038-1586-e48d-75fb3c89c714","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_OrderBy_ThenBy"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"784563e96ece45259e00faddf4b0581c0fcfcb41"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_OrderBy_ThenBy","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0025447","StartTime":"2026-02-08T22:26:58.9526914+00:00","EndTime":"2026-02-08T22:26:58.9555594+00:00","Properties":[]},{"TestCase":{"Id":"598d70d3-1356-e4d3-b2ef-5f76df8abb73","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_CreateParameter","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateParameter","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_CreateParameter"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6883f57bcd0cc42ed54a69ba3c12222fdbe22e96"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateParameter","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004341","StartTime":"2026-02-08T22:26:58.9554957+00:00","EndTime":"2026-02-08T22:26:58.9557822+00:00","Properties":[]},{"TestCase":{"Id":"f127d69d-cc05-f054-5b64-3b612b8adcf3","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstOrDefault_EmptyTable_ReturnsNull","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstOrDefault_EmptyTable_ReturnsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstOrDefault_EmptyTable_ReturnsNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5549dccb444456e3240e8766fe6688ed1b468a1f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstOrDefault_EmptyTable_ReturnsNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013425","StartTime":"2026-02-08T22:26:58.9552782+00:00","EndTime":"2026-02-08T22:26:58.9561237+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":241,"Stats":{"Passed":241}},"ActiveTests":[{"Id":"9b42073d-10d4-9499-8190-cb6e4fed73d8","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_DeleteManyAsync_Entities"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"88187005ddfdc3727cb7aaecf67e2c6a06b28528"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"8f0eacbb-8fa5-d943-a21f-5dda0a5a8cba","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_DataSource"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8c1f3a41ce2874abf1fb7ade26d7a14b4f47ee4e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"c7dfac1f-9e49-c5ca-f226-f174574a251b","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_BooleanEquality"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5d3ee292ff8e47040b48d52117d49f3ea3fabefa"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.957, 376298770220131, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.957, 376298770411481, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.957, 376298770443681, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.957, 376298770463929, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.957, 376298770515156, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.957, 376298770540263, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.957, 376298770645450, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.957, 376298770849443, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.957, 376298770880712, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.957, 376298770924795, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.957, 376298771019453, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.958, 376298771206935, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmTests.Views_CanBeMapped.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.958, 376298771237883, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmTests.Views_CanBeMapped' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.958, 376298771286444, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmTests.Views_CanBeMapped execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.958, 376298771371474, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.958, 376298771537355, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.958, 376298771569596, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.958, 376298771614200, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.958, 376298771703678, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.958, 376298771865441, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.958, 376298771894877, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.958, 376298771938449, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.958, 376298772026314, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.958, 376298772053124, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.959, 376298772635187, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"8f0eacbb-8fa5-d943-a21f-5dda0a5a8cba","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_DataSource"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8c1f3a41ce2874abf1fb7ade26d7a14b4f47ee4e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_DataSource","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0006302","StartTime":"2026-02-08T22:26:58.9560143+00:00","EndTime":"2026-02-08T22:26:58.9572451+00:00","Properties":[]},{"TestCase":{"Id":"1141117d-230b-49dc-0830-a5d716b4be28","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_With_Transaction"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d96057c31bf65fe77974b8c5e3958d376cc70df1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Transaction","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0029590","StartTime":"2026-02-08T22:26:58.9539143+00:00","EndTime":"2026-02-08T22:26:58.9576888+00:00","Properties":[]},{"TestCase":{"Id":"a29fcf39-e67b-f406-be6e-28902fe5a60b","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.Views_CanBeMapped","DisplayName":"DecentDB.Tests.MicroOrmTests.Views_CanBeMapped","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Views_CanBeMapped"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"74674842c8be44e6dde93a9ce94cbb0008c3f720"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.Views_CanBeMapped","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0045102","StartTime":"2026-02-08T22:26:58.9532066+00:00","EndTime":"2026-02-08T22:26:58.9580452+00:00","Properties":[]},{"TestCase":{"Id":"9b42073d-10d4-9499-8190-cb6e4fed73d8","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_DeleteManyAsync_Entities"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"88187005ddfdc3727cb7aaecf67e2c6a06b28528"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteManyAsync_Entities","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023706","StartTime":"2026-02-08T22:26:58.9557316+00:00","EndTime":"2026-02-08T22:26:58.9583735+00:00","Properties":[]},{"TestCase":{"Id":"c7dfac1f-9e49-c5ca-f226-f174574a251b","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_BooleanEquality"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"5d3ee292ff8e47040b48d52117d49f3ea3fabefa"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_BooleanEquality","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0018777","StartTime":"2026-02-08T22:26:58.9571571+00:00","EndTime":"2026-02-08T22:26:58.958706+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":246,"Stats":{"Passed":246}},"ActiveTests":[{"Id":"041e5553-38e8-e4b1-b12f-cb2c6eabc77f","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere","DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectAsync_WithWhere"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8d3999b19d7cfcd5d168127dd4b0de112078e6a2"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"3d72b9f2-8007-f51d-9a97-c67ae7e323de","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Transaction_Rollback_On_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dbcc8173419b2bd3c85f6706c55a12271538e144"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"2ff57458-8ad0-0ccc-ca6a-a72fc54aff4b","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax","DisplayName":"DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SupportsQueryableLinqSyntax"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b397ad5be7c2d5c14490aa880a7f707c0ca85c30"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"07348ac8-1669-6647-569a-cd1c68ffef57","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Set_GenericMethod"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"98fe09b808ceadad21795db1b9ff000efd430759"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"b18dad66-03f2-4135-071a-4e1f3d2f9aec","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertMany_InExplicitTransaction_Commit"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6bb6f4396a95870e8a61ef681aeb45b5917bdea1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.959, 376298772741517, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.961, 376298774952629, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.961, 376298775007633, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.961, 376298775035505, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.961, 376298775086801, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.961, 376298775110295, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.962, 376298775203931, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.962, 376298775388227, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.962, 376298775423393, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.962, 376298775470822, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.962, 376298775560581, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.Factory_CreateConnection.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.962, 376298775775595, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.Factory_CreateConnection.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.962, 376298775846698, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.Factory_CreateConnection execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.962, 376298775949491, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.963, 376298776168933, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.963, 376298776205883, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.963, 376298776258452, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.963, 376298776345615, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.963, 376298776532226, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.963, 376298776567762, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.963, 376298776612657, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.963, 376298776699600, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.963, 376298776897983, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.963, 376298776963426, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.963, 376298777068363, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.963, 376298777102968, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.964, 376298777736467, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"07348ac8-1669-6647-569a-cd1c68ffef57","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDBContext_Set_GenericMethod"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"98fe09b808ceadad21795db1b9ff000efd430759"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DecentDBContext_Set_GenericMethod","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0007967","StartTime":"2026-02-08T22:26:58.9586318+00:00","EndTime":"2026-02-08T22:26:58.9617422+00:00","Properties":[]},{"TestCase":{"Id":"041e5553-38e8-e4b1-b12f-cb2c6eabc77f","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere","DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SelectAsync_WithWhere"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8d3999b19d7cfcd5d168127dd4b0de112078e6a2"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.SelectAsync_WithWhere","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024550","StartTime":"2026-02-08T22:26:58.9575789+00:00","EndTime":"2026-02-08T22:26:58.962225+00:00","Properties":[]},{"TestCase":{"Id":"ab5b636d-61e6-f896-f42c-ff768ba76c96","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnection","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_CreateConnection"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8e80433c49f30417ce291adee70783d0950a6167"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnection","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001815","StartTime":"2026-02-08T22:26:58.9624989+00:00","EndTime":"2026-02-08T22:26:58.9626105+00:00","Properties":[]},{"TestCase":{"Id":"3d72b9f2-8007-f51d-9a97-c67ae7e323de","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Transaction_Rollback_On_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dbcc8173419b2bd3c85f6706c55a12271538e144"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.Transaction_Rollback_On_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0026037","StartTime":"2026-02-08T22:26:58.9579469+00:00","EndTime":"2026-02-08T22:26:58.9630031+00:00","Properties":[]},{"TestCase":{"Id":"b18dad66-03f2-4135-071a-4e1f3d2f9aec","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertMany_InExplicitTransaction_Commit"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"6bb6f4396a95870e8a61ef681aeb45b5917bdea1"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.InsertMany_InExplicitTransaction_Commit","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017123","StartTime":"2026-02-08T22:26:58.9596774+00:00","EndTime":"2026-02-08T22:26:58.9633683+00:00","Properties":[]},{"TestCase":{"Id":"d3f9d759-1a6a-1a54-dd04-6924545e7b63","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_InsertAsync_SingleEntity"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a134e7fa820a1aa28593a7c4ac9a5b73099b3406"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_InsertAsync_SingleEntity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016528","StartTime":"2026-02-08T22:26:58.9621442+00:00","EndTime":"2026-02-08T22:26:58.963734+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":252,"Stats":{"Passed":252}},"ActiveTests":[{"Id":"c7a11043-95d1-a7bf-579c-ddbd8f043673","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Indexes_ReturnsTable"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9a1a3e40fbd62eb8da872c80156311e1ca5d6ce0"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"66a4fcb2-edef-91eb-7f80-628996536ce7","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_With_Null_Value_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e43910b73ecb7a8cf2b5f23019f9073dde0010d9"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},{"Id":"82a063ad-648b-0a8f-23df-aa21da3102a5","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_LessThanOrEqual"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"869b3dd0d7d7b7016747e02449afb2482e7ce4d7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"eeff2b84-83a5-86b0-2b2b-50676318def5","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_UpdateAsync_Entity"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"af53ca4a8dc8b34e6875d11f679c7a985c5565d8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.964, 376298777862604, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.964, 376298778058242, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.964, 376298778091043, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.964, 376298778109257, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.965, 376298778158520, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.965, 376298778182154, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.965, 376298778274418, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.965, 376298778473311, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.965, 376298778515510, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.965, 376298778572978, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.965, 376298778749770, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.965, 376298778785918, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.965, 376298778836333, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.965, 376298778940468, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.965, 376298779116379, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.966, 376298779148128, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.966, 376298779181060, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.966, 376298779242987, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.Factory_CreateCommand.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.966, 376298779363994, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.Factory_CreateCommand.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.966, 376298779400342, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.Factory_CreateCommand execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.966, 376298779461186, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.966, 376298779591401, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.966, 376298779627889, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.966, 376298779687622, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.Factory_CanCreateDataSourceEnumerator_IsFalse.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.966, 376298779806315, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.Factory_CanCreateDataSourceEnumerator_IsFalse.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.966, 376298779842583, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.Factory_CanCreateDataSourceEnumerator_IsFalse execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.966, 376298779902094, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.966, 376298779925328, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.967, 376298780329687, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"82a063ad-648b-0a8f-23df-aa21da3102a5","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_LessThanOrEqual"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"869b3dd0d7d7b7016747e02449afb2482e7ce4d7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThanOrEqual","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020738","StartTime":"2026-02-08T22:26:58.963636+00:00","EndTime":"2026-02-08T22:26:58.9648951+00:00","Properties":[]},{"TestCase":{"Id":"66a4fcb2-edef-91eb-7f80-628996536ce7","FullyQualifiedName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception","DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertManyAsync_With_Null_Value_Throws_Exception"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e43910b73ecb7a8cf2b5f23019f9073dde0010d9"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DbSetEdgeCaseTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DbSetEdgeCaseTests.InsertManyAsync_With_Null_Value_Throws_Exception","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0029912","StartTime":"2026-02-08T22:26:58.9632712+00:00","EndTime":"2026-02-08T22:26:58.9653075+00:00","Properties":[]},{"TestCase":{"Id":"eeff2b84-83a5-86b0-2b2b-50676318def5","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_UpdateAsync_Entity"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"af53ca4a8dc8b34e6875d11f679c7a985c5565d8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_UpdateAsync_Entity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020402","StartTime":"2026-02-08T22:26:58.9647989+00:00","EndTime":"2026-02-08T22:26:58.9655856+00:00","Properties":[]},{"TestCase":{"Id":"c7a11043-95d1-a7bf-579c-ddbd8f043673","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Indexes_ReturnsTable"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9a1a3e40fbd62eb8da872c80156311e1ca5d6ce0"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_ReturnsTable","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0034824","StartTime":"2026-02-08T22:26:58.9628855+00:00","EndTime":"2026-02-08T22:26:58.9659636+00:00","Properties":[]},{"TestCase":{"Id":"518ca80f-342f-4cb3-4c6f-beec12fa86be","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_CreateCommand","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateCommand","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_CreateCommand"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9b1da149289f33eb0cd84062a384952b124c14ba"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateCommand","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001569","StartTime":"2026-02-08T22:26:58.966152+00:00","EndTime":"2026-02-08T22:26:58.9662149+00:00","Properties":[]},{"TestCase":{"Id":"e3ba815c-82a8-8b3b-39e5-79cf626e5ff6","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Indexes_UniqueIndex"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9c50931618d45df78cba8688812cf605c3f2fd7d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_UniqueIndex","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0010287","StartTime":"2026-02-08T22:26:58.9663701+00:00","EndTime":"2026-02-08T22:26:58.9664428+00:00","Properties":[]},{"TestCase":{"Id":"cc6b7ee5-938f-0881-4c79-fa2d165abd5f","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_CanCreateDataSourceEnumerator_IsFalse","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CanCreateDataSourceEnumerator_IsFalse","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_CanCreateDataSourceEnumerator_IsFalse"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9e35098f45d07080e2a65a7020345aa2b3557e63"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CanCreateDataSourceEnumerator_IsFalse","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001184","StartTime":"2026-02-08T22:26:58.9665959+00:00","EndTime":"2026-02-08T22:26:58.9666578+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":259,"Stats":{"Passed":259}},"ActiveTests":[{"Id":"5d7e3914-aa2d-1f03-6a5a-5337f5d27cdb","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_NotEqual"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8ad495a361d4490b3041428f672ec3c82141f806"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"789e6a1c-bbe6-0e9e-2293-56c685a6a4ba","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_First_FirstOrDefault"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bb9ba1205d830a929dffde64f997ad28580cb791"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"2eb90095-4db2-a177-4158-17535c6b8e50","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_Instance_NotNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"aad5984f599fa11a803192b76c9129aa2e9360d8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.967, 376298780410760, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.967, 376298780541034, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.967, 376298780562525, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.967, 376298780576972, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.967, 376298780611557, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.967, 376298780626976, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.967, 376298780685576, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.967, 376298780806433, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.967, 376298780827492, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.967, 376298780857539, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.967, 376298780923012, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_ExistingEntity.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.967, 376298781031365, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.967, 376298781067924, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.968, 376298781127466, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_IgnoresDuplicate.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.968, 376298781246830, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.968, 376298781267398, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.968, 376298781297635, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.968, 376298781357979, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.968, 376298781487291, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.968, 376298781524591, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.968, 376298781584885, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.968, 376298781703297, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_IgnoresDuplicate.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.968, 376298781738443, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_IgnoresDuplicate execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.968, 376298781797785, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.968, 376298781915976, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_ExistingEntity.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.968, 376298781950381, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_ExistingEntity execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.968, 376298782009352, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.968, 376298782027616, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.969, 376298782439349, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"2eb90095-4db2-a177-4158-17535c6b8e50","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_Instance_NotNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"aad5984f599fa11a803192b76c9129aa2e9360d8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_Instance_NotNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0000656","StartTime":"2026-02-08T22:26:58.9673255+00:00","EndTime":"2026-02-08T22:26:58.967391+00:00","Properties":[]},{"TestCase":{"Id":"789e6a1c-bbe6-0e9e-2293-56c685a6a4ba","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_First_FirstOrDefault"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bb9ba1205d830a929dffde64f997ad28580cb791"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_First_FirstOrDefault","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023781","StartTime":"2026-02-08T22:26:58.9658768+00:00","EndTime":"2026-02-08T22:26:58.9676576+00:00","Properties":[]},{"TestCase":{"Id":"66fa9c0e-9134-c564-4ed5-1ce0dd23f7b5","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_Indexes_FilterByTable"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b3e303e949f416f33931ed4c3d29862be6c1d993"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_Indexes_FilterByTable","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0009332","StartTime":"2026-02-08T22:26:58.967594+00:00","EndTime":"2026-02-08T22:26:58.9678824+00:00","Properties":[]},{"TestCase":{"Id":"5d7e3914-aa2d-1f03-6a5a-5337f5d27cdb","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_NotEqual"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"8ad495a361d4490b3041428f672ec3c82141f806"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_NotEqual","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0034267","StartTime":"2026-02-08T22:26:58.9652088+00:00","EndTime":"2026-02-08T22:26:58.9680981+00:00","Properties":[]},{"TestCase":{"Id":"92b0e310-2442-06b0-2990-03e1d2cdf962","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetTableColumnsJson_ReturnsColumnMetadata"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"979a3a45de1cced5cfc08080d8d7579c8570152c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.GetTableColumnsJson_ReturnsColumnMetadata","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0063653","StartTime":"2026-02-08T22:26:58.9682659+00:00","EndTime":"2026-02-08T22:26:58.9683388+00:00","Properties":[]},{"TestCase":{"Id":"04ba433b-8870-b884-05bf-b3bae96d2f31","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_IgnoresDuplicate","DisplayName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_IgnoresDuplicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"InsertOrIgnoreAsync_IgnoresDuplicate"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b7e7478498150b2a05f59be9321eda20d6af4d3c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.InsertOrIgnoreAsync_IgnoresDuplicate","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0071553","StartTime":"2026-02-08T22:26:58.9680357+00:00","EndTime":"2026-02-08T22:26:58.968555+00:00","Properties":[]},{"TestCase":{"Id":"38a6ee3f-fa3b-9713-c45b-59e9eb047b9e","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_ExistingEntity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_ExistingEntity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_GetAsync_ExistingEntity"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c195edc053651a00e438d09af682c2d9c8d9d1fd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_ExistingEntity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0074543","StartTime":"2026-02-08T22:26:58.9678319+00:00","EndTime":"2026-02-08T22:26:58.9687673+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":266,"Stats":{"Passed":266}},"ActiveTests":[{"Id":"d2157c8c-43f4-6772-ba74-097f050f7091","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ThenBy_MultiColumnSort"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"99746ef076e17759bba54e87cdefbca8e403df19"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"fd61b3b4-47d1-a379-d570-458f2059b61f","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_CreateConnectionStringBuilder"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b884bd9992cb0220983c3ba62ee554084d1373b4"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},{"Id":"9111692d-b29b-f2f6-90ef-710305b1aa5d","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_GetAsync_NonExistingEntity"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ce66a79f85e9f6f7772632a7e6e4a66ddead122b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.969, 376298782528236, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.969, 376298782651117, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.969, 376298782672227, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.969, 376298782685181, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.969, 376298782716760, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.969, 376298782733181, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.969, 376298782791881, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.969, 376298782927025, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.969, 376298782948245, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.969, 376298782978632, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.969, 376298783038725, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.970, 376298783169110, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.970, 376298783210357, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.970, 376298783284547, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_SetProperties.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.970, 376298783338698, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.970, 376298783356672, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.970, 376298783385526, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.970, 376298783475846, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.970, 376298783583799, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.970, 376298783604447, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.970, 376298783634344, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.970, 376298783693455, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.970, 376298783826605, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_SetProperties.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.970, 376298783863604, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_SetProperties execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.970, 376298783922605, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.970, 376298783940899, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.971, 376298784319581, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"fd61b3b4-47d1-a379-d570-458f2059b61f","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder","DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Factory_CreateConnectionStringBuilder"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b884bd9992cb0220983c3ba62ee554084d1373b4"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.Factory_CreateConnectionStringBuilder","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0002099","StartTime":"2026-02-08T22:26:58.9687054+00:00","EndTime":"2026-02-08T22:26:58.9694997+00:00","Properties":[]},{"TestCase":{"Id":"2ff57458-8ad0-0ccc-ca6a-a72fc54aff4b","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax","DisplayName":"DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SupportsQueryableLinqSyntax"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b397ad5be7c2d5c14490aa880a7f707c0ca85c30"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.SupportsQueryableLinqSyntax","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0162206","StartTime":"2026-02-08T22:26:58.9582939+00:00","EndTime":"2026-02-08T22:26:58.9697775+00:00","Properties":[]},{"TestCase":{"Id":"62a127fa-e3cb-4946-277d-5500041c7973","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities","DisplayName":"DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"QueryAsync_ReturnsEntities"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bd3dceec156265860c58c4c59c3f9c8239fab751"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.QueryAsync_ReturnsEntities","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015685","StartTime":"2026-02-08T22:26:58.9697012+00:00","EndTime":"2026-02-08T22:26:58.9700206+00:00","Properties":[]},{"TestCase":{"Id":"d2157c8c-43f4-6772-ba74-097f050f7091","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ThenBy_MultiColumnSort"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"99746ef076e17759bba54e87cdefbca8e403df19"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenBy_MultiColumnSort","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024136","StartTime":"2026-02-08T22:26:58.9684932+00:00","EndTime":"2026-02-08T22:26:58.9701903+00:00","Properties":[]},{"TestCase":{"Id":"9111692d-b29b-f2f6-90ef-710305b1aa5d","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_GetAsync_NonExistingEntity"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ce66a79f85e9f6f7772632a7e6e4a66ddead122b"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_GetAsync_NonExistingEntity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0016906","StartTime":"2026-02-08T22:26:58.9694461+00:00","EndTime":"2026-02-08T22:26:58.9704351+00:00","Properties":[]},{"TestCase":{"Id":"5f2dd9b3-fe84-a3af-7e0d-80088ad2929f","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_SetProperties","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_SetProperties","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_SetProperties"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d3902a53102b9f896b5f6b9022242d18d999d6e6"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_SetProperties","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005141","StartTime":"2026-02-08T22:26:58.9703182+00:00","EndTime":"2026-02-08T22:26:58.9706786+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":272,"Stats":{"Passed":272}},"ActiveTests":[{"Id":"baae10db-f229-fc3c-05ca-0ace1d4cb737","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip","DisplayName":"DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllDataTypes_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bd9fd58c2f92480235e8d00653b79241af39bd75"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},{"Id":"07f5ed88-161f-afbd-cc7d-b0c904e09e81","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_LessThan"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9d0f6f84c2e4f46c547eadea027f630e44aeab31"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"3d994371-c6db-aae9-f792-32920726b2bf","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Where_Clause"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d8735cc19b640ba08e4b44297bc31752cfa66a60"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"d3d245ab-8c3e-230e-9f91-e64ad96dcf04","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_Defaults"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d3e2a7df3638e7f69884a30d1558463f8c6f943e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.971, 376298784391966, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.971, 376298784522482, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.971, 376298784542509, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.971, 376298784554933, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.971, 376298784584538, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.971, 376298784598835, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.971, 376298784656453, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_UsableWithConnection.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.971, 376298784787269, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_UsableWithConnection.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.971, 376298784822685, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_UsableWithConnection execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.971, 376298784837553, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.971, 376298784896454, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.971, 376298785017401, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DapperIntegrationTests.TestDapperExecute.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.971, 376298785037369, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DapperIntegrationTests.TestDapperExecute' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.971, 376298785068136, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DapperIntegrationTests.TestDapperExecute execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.972, 376298785127618, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DapperIntegrationTests.TestDapperQuery.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.972, 376298785234389, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.972, 376298785254326, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.972, 376298785282379, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.972, 376298785347691, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.972, 376298785477776, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.972, 376298785499306, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.972, 376298785530495, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.972, 376298785592441, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.972, 376298785699312, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.972, 376298785759014, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.972, 376298785818956, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.972, 376298785835457, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.973, 376298786214820, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"d3d245ab-8c3e-230e-9f91-e64ad96dcf04","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_Defaults"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d3e2a7df3638e7f69884a30d1558463f8c6f943e"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_Defaults","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0001359","StartTime":"2026-02-08T22:26:58.9713064+00:00","EndTime":"2026-02-08T22:26:58.9713718+00:00","Properties":[]},{"TestCase":{"Id":"18d596f5-9504-f600-9190-88e11c0a6246","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_UsableWithConnection","DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_UsableWithConnection","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ConnectionStringBuilder_UsableWithConnection"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"de796512796d78a08d55ac500d9ddaa14fe09f4d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.ConnectionStringBuilder_UsableWithConnection","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0004047","StartTime":"2026-02-08T22:26:58.9715654+00:00","EndTime":"2026-02-08T22:26:58.9716386+00:00","Properties":[]},{"TestCase":{"Id":"202b3fa6-879e-e3e1-a9e5-b102e4eb4ce3","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperExecute","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperExecute","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperExecute"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"380c5e06499d006fa1c74746311f9a967463b7e7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperExecute","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0289274","StartTime":"2026-02-08T22:26:58.9471929+00:00","EndTime":"2026-02-08T22:26:58.9718675+00:00","Properties":[]},{"TestCase":{"Id":"07f5ed88-161f-afbd-cc7d-b0c904e09e81","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_LessThan"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9d0f6f84c2e4f46c547eadea027f630e44aeab31"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_LessThan","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019509","StartTime":"2026-02-08T22:26:58.9703968+00:00","EndTime":"2026-02-08T22:26:58.9720863+00:00","Properties":[]},{"TestCase":{"Id":"3d994371-c6db-aae9-f792-32920726b2bf","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_Where_Clause"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d8735cc19b640ba08e4b44297bc31752cfa66a60"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_Where_Clause","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024635","StartTime":"2026-02-08T22:26:58.9706046+00:00","EndTime":"2026-02-08T22:26:58.9723293+00:00","Properties":[]},{"TestCase":{"Id":"27918ad1-752e-0f9b-5e76-24ac132fa3f2","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow","DisplayName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"UpsertAsync_InsertsNewRow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e0842c27e282296553a580d44e90a2c2fcda2552"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.UpsertAsync_InsertsNewRow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015229","StartTime":"2026-02-08T22:26:58.9718045+00:00","EndTime":"2026-02-08T22:26:58.9725505+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":278,"Stats":{"Passed":278}},"ActiveTests":[{"Id":"1d4c207e-eb9a-deed-452b-605cad4121e3","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperQuery","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperQuery","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperQuery"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c4adf8062df283e961afb8953695c7870db8f5d6"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},{"Id":"e241c2b5-7b8b-f004-7066-ad10db6d2f2d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_OrCondition"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9d2dcadfa92853d0c00e3720096111c50c02c8a7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},{"Id":"91a89308-e50a-8ba3-080d-c0cbc9fcfa57","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_SingleOrDefault"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f598e3383f4957415cffaafcf16348e52706671d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},{"Id":"0a99e093-c5a4-ffea-034a-e0099225c88d","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_MetaDataCollections_IncludesIndexes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ff4fb2b142ae7308aee7751112d221a85d6421d7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.973, 376298786292556, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.973, 376298786435524, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.973, 376298786456955, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.973, 376298786469568, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.973, 376298786504083, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.973, 376298786519522, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.973, 376298786628857, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.973, 376298786649246, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.973, 376298786661899, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.973, 376298786692928, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.973, 376298786707876, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.973, 376298786765895, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.973, 376298786886351, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.973, 376298786906559, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.973, 376298786936335, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.973, 376298786997079, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.973, 376298787106024, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DapperIntegrationTests.TestDapperQuery.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.974, 376298787128345, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.DapperIntegrationTests.TestDapperQuery' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.974, 376298787159815, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DapperIntegrationTests.TestDapperQuery execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.974, 376298787220859, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.DapperIntegrationTests.TestDapperParameters.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.974, 376298787350793, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.DapperIntegrationTests.TestDapperParameters.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.974, 376298787386811, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.DapperIntegrationTests.TestDapperParameters execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.974, 376298787492690, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.974, 376298787527535, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.974, 376298787636880, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.974, 376298787658802, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.974, 376298787687465, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.974, 376298787748159, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmTests.CommonTableExpressions_Supported.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.974, 376298787867834, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmTests.CommonTableExpressions_Supported.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.974, 376298787904333, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmTests.CommonTableExpressions_Supported execution completed.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.974, 376298788008869, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.974, 376298788044797, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.974, 376298788060326, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.974, 376298788118154, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.975, 376298788135597, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.975, 376298788541740, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"0a99e093-c5a4-ffea-034a-e0099225c88d","FullyQualifiedName":"DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes","DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"GetSchema_MetaDataCollections_IncludesIndexes"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ff4fb2b142ae7308aee7751112d221a85d6421d7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.NewFeatureTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.NewFeatureTests.GetSchema_MetaDataCollections_IncludesIndexes","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0005723","StartTime":"2026-02-08T22:26:58.9732095+00:00","EndTime":"2026-02-08T22:26:58.9732856+00:00","Properties":[]},{"TestCase":{"Id":"e241c2b5-7b8b-f004-7066-ad10db6d2f2d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_OrCondition"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9d2dcadfa92853d0c00e3720096111c50c02c8a7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_OrCondition","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020125","StartTime":"2026-02-08T22:26:58.9722559+00:00","EndTime":"2026-02-08T22:26:58.9734805+00:00","Properties":[]},{"TestCase":{"Id":"91a89308-e50a-8ba3-080d-c0cbc9fcfa57","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_SingleOrDefault"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f598e3383f4957415cffaafcf16348e52706671d"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_SingleOrDefault","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020345","StartTime":"2026-02-08T22:26:58.9725006+00:00","EndTime":"2026-02-08T22:26:58.9737363+00:00","Properties":[]},{"TestCase":{"Id":"1d4c207e-eb9a-deed-452b-605cad4121e3","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperQuery","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperQuery","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperQuery"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c4adf8062df283e961afb8953695c7870db8f5d6"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperQuery","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0028513","StartTime":"2026-02-08T22:26:58.9720357+00:00","EndTime":"2026-02-08T22:26:58.9739571+00:00","Properties":[]},{"TestCase":{"Id":"242a2121-9b92-eeb3-e4f7-233e2ba3571e","FullyQualifiedName":"DecentDB.Tests.DapperIntegrationTests.TestDapperParameters","DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperParameters","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"TestDapperParameters"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e5a35057982e63cf6305ca75fef8fa06e9bd8787"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.DapperIntegrationTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.DapperIntegrationTests.TestDapperParameters","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0012562","StartTime":"2026-02-08T22:26:58.9741291+00:00","EndTime":"2026-02-08T22:26:58.9742018+00:00","Properties":[]},{"TestCase":{"Id":"854be571-ac49-e8c1-bcd9-2b100af34386","FullyQualifiedName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity","DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DbSet_DeleteAsync_Entity"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f7f0bce25124eea93340b5a02bb6d79847ac9657"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmLayerTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmLayerTests.DbSet_DeleteAsync_Entity","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0025444","StartTime":"2026-02-08T22:26:58.9739054+00:00","EndTime":"2026-02-08T22:26:58.9743446+00:00","Properties":[]},{"TestCase":{"Id":"baae10db-f229-fc3c-05ca-0ace1d4cb737","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip","DisplayName":"DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AllDataTypes_RoundTrip"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"bd9fd58c2f92480235e8d00653b79241af39bd75"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.AllDataTypes_RoundTrip","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0084482","StartTime":"2026-02-08T22:26:58.9699474+00:00","EndTime":"2026-02-08T22:26:58.9744893+00:00","Properties":[]},{"TestCase":{"Id":"b4f134ec-fe45-ea0d-bbe4-5d3379545e4f","FullyQualifiedName":"DecentDB.Tests.MicroOrmTests.CommonTableExpressions_Supported","DisplayName":"DecentDB.Tests.MicroOrmTests.CommonTableExpressions_Supported","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CommonTableExpressions_Supported"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c035632ae9b078f3f3571e4ae1dc25bc4f8d3ca8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmTests.CommonTableExpressions_Supported","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0015954","StartTime":"2026-02-08T22:26:58.9746582+00:00","EndTime":"2026-02-08T22:26:58.9747194+00:00","Properties":[]},{"TestCase":{"Id":"d97fdbc2-5a64-4eaf-524a-53214ae6e189","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"EnumProperty_RoundTrip_ViaMicroOrm"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"9edc87fc1480d093c4f70472c1f12d1e3bc59fef"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumProperty_RoundTrip_ViaMicroOrm","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0079265","StartTime":"2026-02-08T22:26:58.9736739+00:00","EndTime":"2026-02-08T22:26:58.9748613+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":287,"Stats":{"Passed":287}},"ActiveTests":[{"Id":"5ad0f035-7c82-0045-6af3-bdcf2a48fcc9","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CountAsync_WithPredicate"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a089f21c543dc2b3e4ba482db3964fa431a20da3"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.975, 376298788623974, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.975, 376298788756633, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.975, 376298788777713, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.975, 376298788790767, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.975, 376298788820864, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.975, 376298788835471, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.975, 376298788892889, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Take_Zero_ReturnsEmpty.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.975, 376298789011993, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Take_Zero_ReturnsEmpty.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.975, 376298789061185, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Take_Zero_ReturnsEmpty execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.975, 376298789081634, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.976, 376298789139502, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Convention_SnakeCasePluralTableName.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.976, 376298789259588, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Convention_SnakeCasePluralTableName.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.976, 376298789296387, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Convention_SnakeCasePluralTableName execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.976, 376298789310964, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.976, 376298789365807, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.976, 376298789484871, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.976, 376298789519987, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.976, 376298789539263, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.976, 376298789599897, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.DeleteByIdAsync_NonExistent_DoesNotThrow.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.976, 376298789724110, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.DeleteByIdAsync_NonExistent_DoesNotThrow.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.976, 376298789762162, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.DeleteByIdAsync_NonExistent_DoesNotThrow execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.976, 376298789777861, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.976, 376298789836471, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Set_MultipleCallsReturnWorkingSets.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.976, 376298789956366, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Set_MultipleCallsReturnWorkingSets.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.976, 376298789993336, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Set_MultipleCallsReturnWorkingSets execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.976, 376298790009506, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.976, 376298790065872, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_GreaterThan.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.977, 376298790186188, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_GreaterThan.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.977, 376298790223959, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_GreaterThan execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.977, 376298790238576, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.977, 376298790295904, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.EnumParameter_RoundTrip_ViaAdoNet.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.977, 376298790414607, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.EnumParameter_RoundTrip_ViaAdoNet.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.977, 376298790451637, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.EnumParameter_RoundTrip_ViaAdoNet execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.977, 376298790466464, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.977, 376298790522480, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNull.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.977, 376298790641934, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNull.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.977, 376298790678463, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNull execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.977, 376298790698079, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.977, 376298790759655, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch.
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.977, 376298790777148, testhost.dll, Sending test run statistics
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.978, 376298791193370, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.StatsChange","Payload":{"NewTestResults":[{"TestCase":{"Id":"5ad0f035-7c82-0045-6af3-bdcf2a48fcc9","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CountAsync_WithPredicate"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a089f21c543dc2b3e4ba482db3964fa431a20da3"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_WithPredicate","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0023019","StartTime":"2026-02-08T22:26:58.9755389+00:00","EndTime":"2026-02-08T22:26:58.9756068+00:00","Properties":[]},{"TestCase":{"Id":"ecd4593f-fbac-a8cf-1572-3db1b651fce4","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Take_Zero_ReturnsEmpty","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Take_Zero_ReturnsEmpty","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Take_Zero_ReturnsEmpty"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"a5ba6c24283e1967831092f0698786eb3ba3d85c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Take_Zero_ReturnsEmpty","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0021425","StartTime":"2026-02-08T22:26:58.9758013+00:00","EndTime":"2026-02-08T22:26:58.9758636+00:00","Properties":[]},{"TestCase":{"Id":"b0b1f2f7-2d30-2c5e-9975-6ea061ce4940","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Convention_SnakeCasePluralTableName","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Convention_SnakeCasePluralTableName","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Convention_SnakeCasePluralTableName"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"ad303a9e844b9a56003810e3d5880756eb679de7"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Convention_SnakeCasePluralTableName","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0035021","StartTime":"2026-02-08T22:26:58.9760488+00:00","EndTime":"2026-02-08T22:26:58.9761104+00:00","Properties":[]},{"TestCase":{"Id":"b51403a8-3351-6942-37fa-7530929c801a","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"FirstAsync_WithPredicate"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b0ff837483ba4746cbf92dca2d1cff6d2e076290"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.FirstAsync_WithPredicate","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017619","StartTime":"2026-02-08T22:26:58.9762743+00:00","EndTime":"2026-02-08T22:26:58.9763358+00:00","Properties":[]},{"TestCase":{"Id":"122e0812-ab63-3620-3b9a-9380ea4b1051","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteByIdAsync_NonExistent_DoesNotThrow","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteByIdAsync_NonExistent_DoesNotThrow","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DeleteByIdAsync_NonExistent_DoesNotThrow"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"b35119981080eb8de28ec076591831162a2bf00f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DeleteByIdAsync_NonExistent_DoesNotThrow","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0018063","StartTime":"2026-02-08T22:26:58.9765143+00:00","EndTime":"2026-02-08T22:26:58.9765753+00:00","Properties":[]},{"TestCase":{"Id":"b68fd8b9-a7b9-d610-97eb-9ee7b0ea0e74","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Set_MultipleCallsReturnWorkingSets","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Set_MultipleCallsReturnWorkingSets","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Set_MultipleCallsReturnWorkingSets"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"c86e95fe22d44d3274e613e7958efff9d6c88e58"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Set_MultipleCallsReturnWorkingSets","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0013938","StartTime":"2026-02-08T22:26:58.9767458+00:00","EndTime":"2026-02-08T22:26:58.9768077+00:00","Properties":[]},{"TestCase":{"Id":"3ed9b42a-9748-79e6-7882-b1feae38b81d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_GreaterThan","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_GreaterThan","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_GreaterThan"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"cfb90f61e1d3102a63e71bdae8b58ca21f92cc70"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_GreaterThan","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017278","StartTime":"2026-02-08T22:26:58.9769761+00:00","EndTime":"2026-02-08T22:26:58.9770377+00:00","Properties":[]},{"TestCase":{"Id":"f5e5d7a5-8f51-150d-61b9-9bfacc8871b9","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumParameter_RoundTrip_ViaAdoNet","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumParameter_RoundTrip_ViaAdoNet","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"EnumParameter_RoundTrip_ViaAdoNet"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d71ebc903c3189a28bbf40a968f8769ee553c5c3"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.EnumParameter_RoundTrip_ViaAdoNet","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0058762","StartTime":"2026-02-08T22:26:58.9772052+00:00","EndTime":"2026-02-08T22:26:58.9772661+00:00","Properties":[]},{"TestCase":{"Id":"2a10a141-dcba-8129-9d89-c124b18d8fb1","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNull","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNull","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_IsNull"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d78ea56d53a9380cc5b8c86411a47696a84805c8"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_IsNull","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0024531","StartTime":"2026-02-08T22:26:58.9774315+00:00","EndTime":"2026-02-08T22:26:58.9774921+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":296,"Stats":{"Passed":296}},"ActiveTests":[{"Id":"430a460b-7950-fa41-29c4-b050e92366d7","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AnyAsync_WithPredicate_NoMatch"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d84016b2162179d8d8bb3f903fd86a4413efb5dd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]}]}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.978, 376298791270244, testhost.dll, TestRunCache: OnNewTestResult: Notified the onCacheHit callback.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.978, 376298791401661, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.978, 376298791421869, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.978, 376298791435825, testhost.dll, TestRunCache: No test found corresponding to testResult 'DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch' in inProgress list.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.978, 376298791472013, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.978, 376298791488113, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.978, 376298791546833, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_EmptyTable_ReturnsZero.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.978, 376298791669955, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_EmptyTable_ReturnsZero.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.978, 376298791706573, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_EmptyTable_ReturnsZero execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.978, 376298791721692, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.978, 376298791779140, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_StartsWith_MultiChar.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.978, 376298791899496, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_StartsWith_MultiChar.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.978, 376298791935383, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_StartsWith_MultiChar execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.978, 376298791949991, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.978, 376298792006306, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.979, 376298792125731, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.979, 376298792162369, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.979, 376298792177588, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.979, 376298792234044, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.SqlEvents_CaptureCommandText.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.979, 376298792354049, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.SqlEvents_CaptureCommandText.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.979, 376298792405316, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.SqlEvents_CaptureCommandText execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.979, 376298792425954, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.979, 376298792485596, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_EndsWith.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.979, 376298792607215, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_EndsWith.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.979, 376298792643473, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Where_EndsWith execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.979, 376298792662849, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.979, 376298792720267, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.DerivedContext_CrudThroughProperty.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.979, 376298792839681, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.DerivedContext_CrudThroughProperty.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.979, 376298792877132, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.DerivedContext_CrudThroughProperty execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.979, 376298792891589, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.979, 376298792947354, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.Skip_BeyondData_ReturnsEmpty.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.979, 376298793067068, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.Skip_BeyondData_ReturnsEmpty.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.979, 376298793103387, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.Skip_BeyondData_ReturnsEmpty execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.979, 376298793117954, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.980, 376298793173849, testhost.dll, TestExecutionRecorder.RecordStart: Starting test: DecentDB.Tests.MicroOrmComprehensiveTests.ThenByDescending_MultiColumnSort.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.980, 376298793292372, testhost.dll, TestExecutionRecorder.RecordResult: Received result for test: DecentDB.Tests.MicroOrmComprehensiveTests.ThenByDescending_MultiColumnSort.
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.980, 376298793328840, testhost.dll, TestExecutionRecorder.RecordEnd: test: DecentDB.Tests.MicroOrmComprehensiveTests.ThenByDescending_MultiColumnSort execution completed.
-TpTrace Warning: 0 : 1787416, 15, 2026/02/08, 16:26:58.980, 376298793344159, testhost.dll, TestRunCache: InProgressTests is null
-TpTrace Information: 0 : 1787416, 15, 2026/02/08, 16:26:58.982, 376298795335028, testhost.dll, [xUnit.net 00:00:00.43] Finished: DecentDB.Tests
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.982, 376298795381725, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestSession.Message","Payload":{"MessageLevel":0,"Message":"[xUnit.net 00:00:00.43] Finished: DecentDB.Tests"}}
-TpTrace Verbose: 0 : 1787416, 15, 2026/02/08, 16:26:58.982, 376298795437961, testhost.dll, MulticastDelegateUtilities.SafeInvoke: TestRunMessageLoggerProxy.SendMessage: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CrossPlatEngine.Execution.RunTestsWithSources., took 0 ms.
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.988, 376298801523790, testhost.dll, BaseRunTests.RunTestInternalWithExecutors: Completed running tests for executor://xunit/VsTestRunner3/netcore/
-TpTrace Information: 0 : 1787416, 4, 2026/02/08, 16:26:58.991, 376298804562948, testhost.dll, Sending test run complete
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.998, 376298811382986, testhost.dll, TestRequestHandler.SendData: sending data from testhost: {"Version":7,"MessageType":"TestExecution.Completed","Payload":{"TestRunCompleteArgs":{"TestRunStatistics":{"ExecutedTests":305,"Stats":{"Passed":305}},"IsCanceled":false,"IsAborted":false,"Error":null,"AttachmentSets":[],"InvokedDataCollectors":[],"ElapsedTimeInRunningTests":"00:00:00.4437136","Metrics":{},"DiscoveredExtensions":{"TestDiscoverers":["Xunit.Runner.VisualStudio.VsTestRunner, xunit.runner.visualstudio.testadapter, Version=3.1.5.0, Culture=neutral, PublicKeyToken=null"],"TestExecutors":["executor://xunit/VsTestRunner3/netcore/"],"TestExecutors2":[],"TestSettingsProviders":[]}},"LastRunTests":{"NewTestResults":[{"TestCase":{"Id":"430a460b-7950-fa41-29c4-b050e92366d7","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"AnyAsync_WithPredicate_NoMatch"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d84016b2162179d8d8bb3f903fd86a4413efb5dd"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.AnyAsync_WithPredicate_NoMatch","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0017362","StartTime":"2026-02-08T22:26:58.9781851+00:00","EndTime":"2026-02-08T22:26:58.9782512+00:00","Properties":[]},{"TestCase":{"Id":"39439d5c-609d-167a-f412-51e71101105b","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_EmptyTable_ReturnsZero","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_EmptyTable_ReturnsZero","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"CountAsync_EmptyTable_ReturnsZero"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"d9e684d77819bf8516165d5d08b093cb378a738c"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.CountAsync_EmptyTable_ReturnsZero","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0011191","StartTime":"2026-02-08T22:26:58.9784588+00:00","EndTime":"2026-02-08T22:26:58.9785207+00:00","Properties":[]},{"TestCase":{"Id":"59a72e5c-2760-e780-f527-0a653fa30cf5","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_StartsWith_MultiChar","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_StartsWith_MultiChar","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_StartsWith_MultiChar"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"dd6daf588381f801638a262b237f34b59faf467f"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_StartsWith_MultiChar","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0018037","StartTime":"2026-02-08T22:26:58.9786882+00:00","EndTime":"2026-02-08T22:26:58.9787503+00:00","Properties":[]},{"TestCase":{"Id":"dda250f5-6f34-c920-bd39-478a494d9809","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_CapturedVariable"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e6b7c7d89c5801c9c2292b3a3bbe64cbdf7d1dca"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_CapturedVariable","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0021747","StartTime":"2026-02-08T22:26:58.9789149+00:00","EndTime":"2026-02-08T22:26:58.978977+00:00","Properties":[]},{"TestCase":{"Id":"b2163b8c-c1f9-e426-d7ee-8d48f22cdb9d","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.SqlEvents_CaptureCommandText","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.SqlEvents_CaptureCommandText","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"SqlEvents_CaptureCommandText"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"e71049556da2d336bd6bdd608c22d1d5e5562af5"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.SqlEvents_CaptureCommandText","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0014031","StartTime":"2026-02-08T22:26:58.9791438+00:00","EndTime":"2026-02-08T22:26:58.9792045+00:00","Properties":[]},{"TestCase":{"Id":"1d1177e2-6c5d-e7f8-5e69-75f0d79fd3d6","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_EndsWith","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_EndsWith","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Where_EndsWith"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f030b489a52eb5019bafce332cfd18213964e609"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Where_EndsWith","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0019389","StartTime":"2026-02-08T22:26:58.9793949+00:00","EndTime":"2026-02-08T22:26:58.9794585+00:00","Properties":[]},{"TestCase":{"Id":"e6d1f660-25aa-258a-0fd1-7f0679d07621","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.DerivedContext_CrudThroughProperty","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DerivedContext_CrudThroughProperty","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DerivedContext_CrudThroughProperty"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f2cd312b351537a43b2a980203da23bc82f57312"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.DerivedContext_CrudThroughProperty","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0022043","StartTime":"2026-02-08T22:26:58.9796294+00:00","EndTime":"2026-02-08T22:26:58.9796909+00:00","Properties":[]},{"TestCase":{"Id":"4ef3793f-9d68-19fb-ef50-0123a4dbf9da","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.Skip_BeyondData_ReturnsEmpty","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Skip_BeyondData_ReturnsEmpty","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"Skip_BeyondData_ReturnsEmpty"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f4b854a61b638186cf308f11e120a3d46016db00"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.Skip_BeyondData_ReturnsEmpty","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0018062","StartTime":"2026-02-08T22:26:58.9798566+00:00","EndTime":"2026-02-08T22:26:58.9799184+00:00","Properties":[]},{"TestCase":{"Id":"8eba0ed4-027f-6806-e676-8b442fe923b2","FullyQualifiedName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenByDescending_MultiColumnSort","DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenByDescending_MultiColumnSort","ExecutorUri":"executor://xunit/VsTestRunner3/netcore/","Source":"/home/steven/source/decentdb/bindings/dotnet/tests/DecentDB.Tests/bin/Debug/net10.0/DecentDB.Tests.dll","CodeFilePath":null,"LineNumber":0,"Properties":[{"Key":{"Id":"TestCase.ManagedMethod","Label":"ManagedMethod","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"ThenByDescending_MultiColumnSort"},{"Key":{"Id":"XunitTestCaseExplicit","Label":"xUnit.net Test Case Explicit Flag","Category":"","Description":"","Attributes":0,"ValueType":"System.Boolean"},"Value":false},{"Key":{"Id":"XunitTestCaseUniqueID","Label":"xUnit.net Test Case Unique ID","Category":"","Description":"","Attributes":0,"ValueType":"System.String"},"Value":"f9f06fcb670cf8f48dd5e3afb64c4657bd6b83cc"},{"Key":{"Id":"TestCase.ManagedType","Label":"ManagedType","Category":"","Description":"","Attributes":1,"ValueType":"System.String"},"Value":"DecentDB.Tests.MicroOrmComprehensiveTests"}]},"Attachments":[],"Outcome":1,"ErrorMessage":null,"ErrorStackTrace":null,"DisplayName":"DecentDB.Tests.MicroOrmComprehensiveTests.ThenByDescending_MultiColumnSort","Messages":[],"ComputerName":"batman","Duration":"00:00:00.0020381","StartTime":"2026-02-08T22:26:58.980082+00:00","EndTime":"2026-02-08T22:26:58.9801442+00:00","Properties":[]}],"TestRunStatistics":{"ExecutedTests":305,"Stats":{"Passed":305}},"ActiveTests":[]},"RunAttachments":[],"ExecutorUris":["executor://xunit/VsTestRunner3/netcore/"]}}
-TpTrace Verbose: 0 : 1787416, 4, 2026/02/08, 16:26:58.998, 376298811672510, testhost.dll, BaseRunTests.RunTests: Run is complete.
-TpTrace Verbose: 0 : 1787416, 5, 2026/02/08, 16:26:58.998, 376298812096376, testhost.dll, TcpClientExtensions.MessageLoopAsync: NotifyDataAvailable remoteEndPoint: [::ffff:127.0.0.1]:41437 localEndPoint: [::ffff:127.0.0.1]:41022
-TpTrace Information: 0 : 1787416, 5, 2026/02/08, 16:26:58.999, 376298812145418, testhost.dll, TestRequestHandler.OnMessageReceived: received message: (TestSession.Terminate) -> {"MessageType":"TestSession.Terminate","Payload":null}
-TpTrace Information: 0 : 1787416, 5, 2026/02/08, 16:26:58.999, 376298812161338, testhost.dll, Session End message received from server. Closing the connection.
-TpTrace Information: 0 : 1787416, 5, 2026/02/08, 16:26:58.999, 376298812478934, testhost.dll, SocketClient.Stop: Stop communication from server endpoint: 127.0.0.1:041437
-TpTrace Information: 0 : 1787416, 5, 2026/02/08, 16:26:58.999, 376298812508049, testhost.dll, SocketClient: Stop: Cancellation requested. Stopping message loop.
-TpTrace Information: 0 : 1787416, 1, 2026/02/08, 16:26:58.999, 376298812502999, testhost.dll, SocketClient.Stop: Stop communication from server endpoint: 127.0.0.1:041437
-TpTrace Information: 0 : 1787416, 1, 2026/02/08, 16:26:58.999, 376298812580044, testhost.dll, SocketClient: Stop: Cancellation requested. Stopping message loop.
-TpTrace Verbose: 0 : 1787416, 5, 2026/02/08, 16:26:58.999, 376298812644585, testhost.dll, LengthPrefixCommunicationChannel.Dispose: Dispose reader and writer.
-TpTrace Verbose: 0 : 1787416, 1, 2026/02/08, 16:26:58.999, 376298812661597, testhost.dll, LengthPrefixCommunicationChannel.Dispose: Dispose reader and writer.
-TpTrace Information: 0 : 1787416, 5, 2026/02/08, 16:26:58.999, 376298812683348, testhost.dll, Closing the connection !
-TpTrace Verbose: 0 : 1787416, 5, 2026/02/08, 16:26:58.999, 376298812731919, testhost.dll, MulticastDelegateUtilities.SafeInvoke: LengthPrefixCommunicationChannel: MessageReceived: Invoking callback 1/1 for Microsoft.VisualStudio.TestPlatform.CommunicationUtilities.TestRequestHandler., took 0 ms.
-TpTrace Information: 0 : 1787416, 1, 2026/02/08, 16:26:58.999, 376298812834382, testhost.dll, Testhost process exiting.
-TpTrace Information: 0 : 1787416, 5, 2026/02/08, 16:26:58.999, 376298812898662, testhost.dll, SocketClient.PrivateStop: Stop communication from server endpoint: 127.0.0.1:041437, error:
diff --git a/decentdb.nimble b/decentdb.nimble
index 0a4bd6f..eb5245a 100644
--- a/decentdb.nimble
+++ b/decentdb.nimble
@@ -1,4 +1,4 @@
-version = "1.1.3"
+version = "1.2.0"
author = "DecentDB contributors"
description = "DecentDB engine"
license = "Apache-2.0"
diff --git a/docs/about/changelog.md b/docs/about/changelog.md
index 5c62fe6..95f922a 100644
--- a/docs/about/changelog.md
+++ b/docs/about/changelog.md
@@ -5,6 +5,29 @@ All notable changes to DecentDB will be documented in this file.
The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/),
and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html).
+## [1.2.0] - 2026-02-21
+
+### Added
+- **SQL Engine**: `GROUP_CONCAT` and `STRING_AGG` aggregate functions.
+- **SQL Engine**: `INSERT INTO ... SELECT` statement support across all execution paths (prepared, non-prepared, non-select API).
+- **SQL Engine**: `IN (subquery)` predicate support (e.g. `WHERE id IN (SELECT id FROM other_table)`).
+- **SQL Engine**: `printf()` scalar function.
+- **SQL Engine**: General filtered/partial index support — predicates beyond `IS NOT NULL` are now allowed, including `UNIQUE` filtered indexes and complex `WHERE` clauses.
+- .NET: `SqliteCompatibilityTests` — 18 SQL-level compatibility tests covering patterns used by Melodee (GROUP_CONCAT, INSERT INTO...SELECT, IN subquery, printf, filtered indexes, etc.).
+- .NET: `EfFunctionsLikeTests` — EF Core `EF.Functions.Like()` integration test.
+
+### Fixed
+- **SQL Engine**: SUM now preserves input type — returns `INT64` when all accumulated values are integers, `FLOAT64` when any float is present. Previously always returned `FLOAT64`.
+- **SQL Engine**: SUM/AVG/MIN/MAX on empty result sets now return `NULL` per SQL standard. Previously returned `0`/`0.0`/default values. COUNT on empty sets correctly returns `0`.
+- **SQL Engine**: AND/OR operators now implement SQL three-valued logic — `FALSE AND NULL` correctly evaluates to `FALSE`, and `TRUE OR NULL` correctly evaluates to `TRUE`. Previously any `NULL` operand propagated `NULL` regardless.
+- **SQL Engine**: `IS`/`IS NOT` operators now support `IS TRUE`, `IS FALSE`, `IS NOT TRUE`, and `IS NOT FALSE` in addition to `IS NULL`/`IS NOT NULL`.
+- **SQL Engine**: `INSERT INTO ... SELECT` now correctly fires AFTER INSERT triggers. Previously triggers were only executed for regular INSERT statements.
+- **SQL Engine**: Float-to-DECIMAL coercion in INSERT/UPDATE — float literals (e.g. `3.14`) are now correctly coerced to DECIMAL type when the target column has DECIMAL precision/scale.
+- **SQL Engine**: Filtered index predicate evaluator rewritten to correctly evaluate rows against arbitrary `WHERE` clauses, fixing false negatives in index maintenance.
+- **SQL Engine**: Filtered index predicate cache now defensively initialized per thread, consistent with other threadvar patterns.
+- **SQL Engine**: `GROUP_CONCAT`/`STRING_AGG` now correctly recognized by the query planner as aggregate functions, preventing "evaluated elsewhere" errors when used without `GROUP BY`.
+- .NET: EF Core `DecentDBTypeMappingSource` now respects precision and scale from model configuration for DECIMAL columns, instead of always using `DECIMAL(18,4)`.
+
## [1.1.3] - 2026-02-18
### Fixed
diff --git a/src/engine.nim b/src/engine.nim
index 072b2c8..13d9b9c 100644
--- a/src/engine.nim
+++ b/src/engine.nim
@@ -394,6 +394,17 @@ proc typeCheckValue(col: Column, value: Value): Result[Value] =
if ($abs(newVal.int64Val)).len > int(col.decPrecision):
return err[Value](ERR_CONSTRAINT, "Precision overflow for DECIMAL")
return ok(newVal)
+ if value.kind == vkFloat64:
+ # Convert float64 to scaled integer representation for DECIMAL storage
+ let scale = col.decScale
+ var multiplier: float64 = 1.0
+ for i in 0 ..< int(scale):
+ multiplier *= 10.0
+ let scaled = int64(value.float64Val * multiplier + (if value.float64Val >= 0: 0.5 else: -0.5))
+ let newVal = Value(kind: vkDecimal, int64Val: scaled, decimalScale: scale)
+ if ($abs(newVal.int64Val)).len > int(col.decPrecision):
+ return err[Value](ERR_CONSTRAINT, "Precision overflow for DECIMAL")
+ return ok(newVal)
return err[Value](ERR_SQL, "Type mismatch: expected DECIMAL")
of ctUuid:
if value.kind == vkNull: return ok(value)
@@ -2172,44 +2183,82 @@ proc execPrepared*(prepared: Prepared, params: seq[Value]): Result[seq[string]]
break
output.add(rows.join("\n"))
of skInsert:
- let insertProfile =
- if i < prepared.insertProfiles.len:
- prepared.insertProfiles[i]
+ # INSERT INTO...SELECT: execute SELECT and insert each row
+ if bound.insertSelectQuery != nil:
+ let selPlanRes = plan(db.catalog, bound.insertSelectQuery)
+ if not selPlanRes.ok:
+ return err[seq[string]](selPlanRes.err.code, selPlanRes.err.message, selPlanRes.err.context)
+ let selRows = execPlan(db.pager, db.catalog, selPlanRes.value, params)
+ if not selRows.ok:
+ return err[seq[string]](selRows.err.code, selRows.err.message, selRows.err.context)
+ let tablePtr = db.catalog.getTablePtr(bound.insertTable)
+ if tablePtr == nil:
+ return err[seq[string]](ERR_SQL, "Table not found", bound.insertTable)
+ let table = tablePtr[]
+ let targetCols = if bound.insertColumns.len == 0:
+ table.columns.mapIt(it.name)
else:
- InsertWriteProfile()
- if insertProfile.valid and insertProfile.isView:
- let rowCount = int64(1 + bound.insertValueRows.len)
- let insteadRes = executeInsteadTriggers(db, bound.insertTable, TriggerEventInsertMask, if bound.insertValues.len > 0: rowCount else: 0)
- if not insteadRes.ok:
- return err[seq[string]](insteadRes.err.code, insteadRes.err.message, insteadRes.err.context)
- elif not insertProfile.valid and db.catalog.hasViewName(bound.insertTable):
- let rowCount = int64(1 + bound.insertValueRows.len)
- let insteadRes = executeInsteadTriggers(db, bound.insertTable, TriggerEventInsertMask, if bound.insertValues.len > 0: rowCount else: 0)
- if not insteadRes.ok:
- return err[seq[string]](insteadRes.err.code, insteadRes.err.message, insteadRes.err.context)
+ bound.insertColumns
+ # Build column index for reordering
+ var colIndex = initTable[string, int]()
+ for ci, col in table.columns:
+ colIndex[col.name] = ci
+ for row in selRows.value:
+ var vals = newSeq[Value](table.columns.len)
+ for vi in 0 ..< vals.len:
+ vals[vi] = Value(kind: vkNull)
+ for ci, colName in targetCols:
+ if ci < row.values.len and colIndex.hasKey(colName):
+ let idx = colIndex[colName]
+ let checked = typeCheckValue(table.columns[idx], row.values[ci])
+ if not checked.ok:
+ return err[seq[string]](checked.err.code, checked.err.message, checked.err.context)
+ vals[idx] = checked.value
+ let insRes = insertRow(db.pager, db.catalog, bound.insertTable, vals)
+ if not insRes.ok:
+ return err[seq[string]](insRes.err.code, insRes.err.message, insRes.err.context)
+ let triggerRes = executeAfterTriggers(db, bound.insertTable, TriggerEventInsertMask, int64(selRows.value.len))
+ if not triggerRes.ok:
+ return err[seq[string]](triggerRes.err.code, triggerRes.err.message, triggerRes.err.context)
else:
- # Fast path: single-row insert, no RETURNING, no triggers → skip MultiInsertResult allocation
- if insertProfile.valid and not insertProfile.hasInsertTriggers and bound.insertReturning.len == 0 and bound.insertValueRows.len == 0:
- let singleRes = execInsertStatement(db, bound, params, wantRow = false, profile = insertProfile)
- if not singleRes.ok:
- return err[seq[string]](singleRes.err.code, singleRes.err.message, singleRes.err.context)
+ let insertProfile =
+ if i < prepared.insertProfiles.len:
+ prepared.insertProfiles[i]
+ else:
+ InsertWriteProfile()
+ if insertProfile.valid and insertProfile.isView:
+ let rowCount = int64(1 + bound.insertValueRows.len)
+ let insteadRes = executeInsteadTriggers(db, bound.insertTable, TriggerEventInsertMask, if bound.insertValues.len > 0: rowCount else: 0)
+ if not insteadRes.ok:
+ return err[seq[string]](insteadRes.err.code, insteadRes.err.message, insteadRes.err.context)
+ elif not insertProfile.valid and db.catalog.hasViewName(bound.insertTable):
+ let rowCount = int64(1 + bound.insertValueRows.len)
+ let insteadRes = executeInsteadTriggers(db, bound.insertTable, TriggerEventInsertMask, if bound.insertValues.len > 0: rowCount else: 0)
+ if not insteadRes.ok:
+ return err[seq[string]](insteadRes.err.code, insteadRes.err.message, insteadRes.err.context)
else:
- let multiRes = execAllInsertRows(db, bound, params, wantRows = bound.insertReturning.len > 0, profile = insertProfile)
- if not multiRes.ok:
- return err[seq[string]](multiRes.err.code, multiRes.err.message, multiRes.err.context)
- if not insertProfile.valid or insertProfile.hasInsertTriggers:
- let triggerRes = executeAfterTriggers(db, bound.insertTable, TriggerEventInsertMask, multiRes.value.totalAffected)
- if not triggerRes.ok:
- return err[seq[string]](triggerRes.err.code, triggerRes.err.message, triggerRes.err.context)
- if bound.insertReturning.len > 0 and multiRes.value.rows.len > 0:
- let projectedRes = projectRows(multiRes.value.rows, bound.insertReturning, params)
- if not projectedRes.ok:
- return err[seq[string]](projectedRes.err.code, projectedRes.err.message, projectedRes.err.context)
- for row in projectedRes.value:
- var parts: seq[string] = @[]
- for v in row.values:
- parts.add($v)
- output.add(parts.join("|"))
+ # Fast path: single-row insert, no RETURNING, no triggers → skip MultiInsertResult allocation
+ if insertProfile.valid and not insertProfile.hasInsertTriggers and bound.insertReturning.len == 0 and bound.insertValueRows.len == 0:
+ let singleRes = execInsertStatement(db, bound, params, wantRow = false, profile = insertProfile)
+ if not singleRes.ok:
+ return err[seq[string]](singleRes.err.code, singleRes.err.message, singleRes.err.context)
+ else:
+ let multiRes = execAllInsertRows(db, bound, params, wantRows = bound.insertReturning.len > 0, profile = insertProfile)
+ if not multiRes.ok:
+ return err[seq[string]](multiRes.err.code, multiRes.err.message, multiRes.err.context)
+ if not insertProfile.valid or insertProfile.hasInsertTriggers:
+ let triggerRes = executeAfterTriggers(db, bound.insertTable, TriggerEventInsertMask, multiRes.value.totalAffected)
+ if not triggerRes.ok:
+ return err[seq[string]](triggerRes.err.code, triggerRes.err.message, triggerRes.err.context)
+ if bound.insertReturning.len > 0 and multiRes.value.rows.len > 0:
+ let projectedRes = projectRows(multiRes.value.rows, bound.insertReturning, params)
+ if not projectedRes.ok:
+ return err[seq[string]](projectedRes.err.code, projectedRes.err.message, projectedRes.err.context)
+ for row in projectedRes.value:
+ var parts: seq[string] = @[]
+ for v in row.values:
+ parts.add($v)
+ output.add(parts.join("|"))
of skUpdate:
let updateProfile =
if i < prepared.updateProfiles.len:
@@ -2709,7 +2758,42 @@ proc execSql*(db: Db, sqlText: string, params: seq[Value]): Result[seq[string]]
if not bumpRes.ok:
return err[seq[string]](bumpRes.err.code, bumpRes.err.message, bumpRes.err.context)
of skInsert:
- if db.catalog.hasViewName(bound.insertTable):
+ if bound.insertSelectQuery != nil:
+ let selPlanRes = plan(db.catalog, bound.insertSelectQuery)
+ if not selPlanRes.ok:
+ return err[seq[string]](selPlanRes.err.code, selPlanRes.err.message, selPlanRes.err.context)
+ let selRows = execPlan(db.pager, db.catalog, selPlanRes.value, params)
+ if not selRows.ok:
+ return err[seq[string]](selRows.err.code, selRows.err.message, selRows.err.context)
+ let tablePtr = db.catalog.getTablePtr(bound.insertTable)
+ if tablePtr == nil:
+ return err[seq[string]](ERR_SQL, "Table not found", bound.insertTable)
+ let table = tablePtr[]
+ let targetCols = if bound.insertColumns.len == 0:
+ table.columns.mapIt(it.name)
+ else:
+ bound.insertColumns
+ var colIndex = initTable[string, int]()
+ for ci, col in table.columns:
+ colIndex[col.name] = ci
+ for row in selRows.value:
+ var vals = newSeq[Value](table.columns.len)
+ for vi in 0 ..< vals.len:
+ vals[vi] = Value(kind: vkNull)
+ for ci, colName in targetCols:
+ if ci < row.values.len and colIndex.hasKey(colName):
+ let idx = colIndex[colName]
+ let checked = typeCheckValue(table.columns[idx], row.values[ci])
+ if not checked.ok:
+ return err[seq[string]](checked.err.code, checked.err.message, checked.err.context)
+ vals[idx] = checked.value
+ let insRes = insertRow(db.pager, db.catalog, bound.insertTable, vals)
+ if not insRes.ok:
+ return err[seq[string]](insRes.err.code, insRes.err.message, insRes.err.context)
+ let triggerRes = executeAfterTriggers(db, bound.insertTable, TriggerEventInsertMask, int64(selRows.value.len))
+ if not triggerRes.ok:
+ return err[seq[string]](triggerRes.err.code, triggerRes.err.message, triggerRes.err.context)
+ elif db.catalog.hasViewName(bound.insertTable):
let rowCount = int64(1 + bound.insertValueRows.len)
let insteadRes = executeInsteadTriggers(db, bound.insertTable, TriggerEventInsertMask, if bound.insertValues.len > 0: rowCount else: 0)
if not insteadRes.ok:
@@ -3349,7 +3433,44 @@ proc execPreparedNonSelect*(db: Db, bound: Statement, params: seq[Value], plan:
of skInsert:
if bound.insertReturning.len > 0:
return err[int64](ERR_SQL, "INSERT RETURNING is not supported by non-select execution API")
- if db.catalog.hasViewName(bound.insertTable):
+ if bound.insertSelectQuery != nil:
+ let selPlanRes = plan(db.catalog, bound.insertSelectQuery)
+ if not selPlanRes.ok:
+ return err[int64](selPlanRes.err.code, selPlanRes.err.message, selPlanRes.err.context)
+ let selRows = execPlan(db.pager, db.catalog, selPlanRes.value, params)
+ if not selRows.ok:
+ return err[int64](selRows.err.code, selRows.err.message, selRows.err.context)
+ let tablePtr = db.catalog.getTablePtr(bound.insertTable)
+ if tablePtr == nil:
+ return err[int64](ERR_SQL, "Table not found", bound.insertTable)
+ let table = tablePtr[]
+ let targetCols = if bound.insertColumns.len == 0:
+ table.columns.mapIt(it.name)
+ else:
+ bound.insertColumns
+ var colIndex = initTable[string, int]()
+ for ci, col in table.columns:
+ colIndex[col.name] = ci
+ affected = 0
+ for row in selRows.value:
+ var vals = newSeq[Value](table.columns.len)
+ for vi in 0 ..< vals.len:
+ vals[vi] = Value(kind: vkNull)
+ for ci, colName in targetCols:
+ if ci < row.values.len and colIndex.hasKey(colName):
+ let idx = colIndex[colName]
+ let checked = typeCheckValue(table.columns[idx], row.values[ci])
+ if not checked.ok:
+ return err[int64](checked.err.code, checked.err.message, checked.err.context)
+ vals[idx] = checked.value
+ let insRes = insertRow(db.pager, db.catalog, bound.insertTable, vals)
+ if not insRes.ok:
+ return err[int64](insRes.err.code, insRes.err.message, insRes.err.context)
+ affected += 1
+ let triggerRes = executeAfterTriggers(db, bound.insertTable, TriggerEventInsertMask, affected)
+ if not triggerRes.ok:
+ return err[int64](triggerRes.err.code, triggerRes.err.message, triggerRes.err.context)
+ elif db.catalog.hasViewName(bound.insertTable):
affected = if bound.insertValues.len > 0: int64(1 + bound.insertValueRows.len) else: 0
let insteadRes = executeInsteadTriggers(db, bound.insertTable, TriggerEventInsertMask, affected)
if not insteadRes.ok:
diff --git a/src/exec/exec.nim b/src/exec/exec.nim
index 34e121d..5794554 100644
--- a/src/exec/exec.nim
+++ b/src/exec/exec.nim
@@ -712,7 +712,7 @@ proc exprContainsScalarSubquery*(expr: Expr): bool =
if expr == nil: return false
case expr.kind
of ekFunc:
- if expr.funcName == "SCALAR_SUBQUERY": return true
+ if expr.funcName == "SCALAR_SUBQUERY" or expr.funcName == "IN_SUBQUERY": return true
for arg in expr.args:
if exprContainsScalarSubquery(arg): return true
of ekBinary:
@@ -1905,7 +1905,7 @@ proc evalExpr*(row: Row, expr: Expr, params: seq[Value]): Result[Value] =
when defined(decentdbDebugLogging):
echo "DEBUG ekFunc: " & expr.funcName
let name = expr.funcName.toUpperAscii()
- if name in ["COUNT", "SUM", "AVG", "MIN", "MAX"]:
+ if name in ["COUNT", "SUM", "AVG", "MIN", "MAX", "GROUP_CONCAT", "STRING_AGG"]:
return err[Value](ERR_SQL, "Aggregate functions evaluated elsewhere")
if name == "GEN_RANDOM_UUID":
@@ -2164,6 +2164,59 @@ proc evalExpr*(row: Row, expr: Expr, params: seq[Value]): Result[Value] =
return ok(textValue(valueToString(strRes.value).replace(
valueToString(fromRes.value), valueToString(toRes.value))))
+ if name == "PRINTF":
+ if expr.args.len < 1:
+ return err[Value](ERR_SQL, "PRINTF requires at least a format argument")
+ let fmtRes = evalExpr(row, expr.args[0], params)
+ if not fmtRes.ok:
+ return err[Value](fmtRes.err.code, fmtRes.err.message, fmtRes.err.context)
+ if fmtRes.value.kind == vkNull:
+ return ok(Value(kind: vkNull))
+ var argVals: seq[Value] = @[]
+ for ai in 1 ..< expr.args.len:
+ let argRes = evalExpr(row, expr.args[ai], params)
+ if not argRes.ok:
+ return err[Value](argRes.err.code, argRes.err.message, argRes.err.context)
+ argVals.add(argRes.value)
+ let fmt = valueToString(fmtRes.value)
+ var formatted = ""
+ var argIdx = 0
+ var i = 0
+ while i < fmt.len:
+ if fmt[i] == '%' and i + 1 < fmt.len:
+ let spec = fmt[i + 1]
+ case spec
+ of 's':
+ if argIdx < argVals.len:
+ formatted.add(valueToString(argVals[argIdx]))
+ argIdx += 1
+ of 'd', 'i':
+ if argIdx < argVals.len:
+ let v = argVals[argIdx]
+ case v.kind
+ of vkInt64: formatted.add($v.int64Val)
+ of vkFloat64: formatted.add($int64(v.float64Val))
+ else: formatted.add(valueToString(v))
+ argIdx += 1
+ of 'f':
+ if argIdx < argVals.len:
+ let v = argVals[argIdx]
+ case v.kind
+ of vkFloat64: formatted.add($v.float64Val)
+ of vkInt64: formatted.add($float64(v.int64Val))
+ else: formatted.add(valueToString(v))
+ argIdx += 1
+ of '%':
+ formatted.add('%')
+ else:
+ formatted.add('%')
+ formatted.add(spec)
+ i += 2
+ else:
+ formatted.add(fmt[i])
+ i += 1
+ return ok(textValue(formatted))
+
if name in ["SUBSTR", "SUBSTRING"]:
if expr.args.len < 2 or expr.args.len > 3:
return err[Value](ERR_SQL, name & " requires 2 or 3 arguments")
@@ -2348,6 +2401,53 @@ proc evalExpr*(row: Row, expr: Expr, params: seq[Value]): Result[Value] =
return err[Value](execRes.err.code, execRes.err.message, execRes.err.context)
return ok(Value(kind: vkBool, boolVal: execRes.value.len > 0))
+ if name == "IN_SUBQUERY":
+ if expr.args.len != 2:
+ return err[Value](ERR_SQL, "IN_SUBQUERY requires test expression and subquery")
+ let testRes = evalExpr(row, expr.args[0], params)
+ if not testRes.ok:
+ return err[Value](testRes.err.code, testRes.err.message, testRes.err.context)
+ if testRes.value.kind == vkNull:
+ return ok(Value(kind: vkNull))
+ let subSqlRes = evalExpr(row, expr.args[1], params)
+ if not subSqlRes.ok:
+ return err[Value](subSqlRes.err.code, subSqlRes.err.message, subSqlRes.err.context)
+ if subSqlRes.value.kind == vkNull:
+ return ok(Value(kind: vkBool, boolVal: false))
+ if gEvalContextDepth <= 0 or gEvalPager == nil or gEvalCatalog == nil:
+ return err[Value](ERR_INTERNAL, "IN_SUBQUERY requires execution context")
+ let sqlText = valueToString(subSqlRes.value)
+ let parseRes = parseSql(sqlText)
+ if not parseRes.ok:
+ return err[Value](parseRes.err.code, parseRes.err.message, parseRes.err.context)
+ if parseRes.value.statements.len != 1:
+ return err[Value](ERR_SQL, "IN subquery must contain one SELECT")
+ let stmt = parseRes.value.statements[0]
+ if stmt.kind != skSelect:
+ return err[Value](ERR_SQL, "IN subquery requires SELECT statement")
+ let innerTables = collectInnerTables(stmt)
+ let substituted = substituteCorrelatedStmt(stmt, innerTables, row)
+ let bindRes = bindStatement(gEvalCatalog, substituted)
+ if not bindRes.ok:
+ return err[Value](bindRes.err.code, bindRes.err.message, bindRes.err.context)
+ let planRes = plan(gEvalCatalog, bindRes.value)
+ if not planRes.ok:
+ return err[Value](planRes.err.code, planRes.err.message, planRes.err.context)
+ let execRes = execPlan(gEvalPager, gEvalCatalog, planRes.value, params)
+ if not execRes.ok:
+ return err[Value](execRes.err.code, execRes.err.message, execRes.err.context)
+ var sawNull = false
+ for subRow in execRes.value:
+ if subRow.values.len > 0:
+ let v = subRow.values[0]
+ if v.kind == vkNull:
+ sawNull = true
+ elif v == testRes.value:
+ return ok(Value(kind: vkBool, boolVal: true))
+ if sawNull:
+ return ok(Value(kind: vkNull))
+ return ok(Value(kind: vkBool, boolVal: false))
+
if name == "SCALAR_SUBQUERY":
if expr.args.len != 1:
return err[Value](ERR_SQL, "SCALAR_SUBQUERY requires subquery argument")
@@ -2673,14 +2773,17 @@ proc projectRows*(rows: seq[Row], items: seq[SelectItem], params: seq[Value]): R
type AggState = object
count: int64
sum: float64
+ sumIsInt: bool # true when all accumulated values were integers
min: Value
max: Value
initialized: bool
+ concatValues: seq[string] # accumulated values for GROUP_CONCAT/STRING_AGG
type AggSpec = object
## Describes one aggregate sub-expression found in the SELECT list.
funcName: string
argExpr: Expr # nil for COUNT(*)
+ separatorExpr: Expr # second arg for GROUP_CONCAT/STRING_AGG
itemIdx: int # which SelectItem this belongs to
proc collectAggSpecs(items: seq[SelectItem]): seq[AggSpec] =
@@ -2691,9 +2794,10 @@ proc collectAggSpecs(items: seq[SelectItem]): seq[AggSpec] =
case expr.kind
of ekFunc:
let fn = expr.funcName.toUpperAscii()
- if fn in ["COUNT", "SUM", "AVG", "MIN", "MAX"]:
+ if fn in ["COUNT", "SUM", "AVG", "MIN", "MAX", "GROUP_CONCAT", "STRING_AGG"]:
let arg = if expr.args.len > 0: expr.args[0] else: nil
- specs.add(AggSpec(funcName: fn, argExpr: arg, itemIdx: itemIdx))
+ let sep = if expr.args.len > 1: expr.args[1] else: nil
+ specs.add(AggSpec(funcName: fn, argExpr: arg, separatorExpr: sep, itemIdx: itemIdx))
return # don't recurse into aggregate args
for a in expr.args:
walk(a, itemIdx)
@@ -2713,7 +2817,7 @@ proc substituteAggResult(expr: Expr, aggValues: Table[int, Value], aggIdx: var i
case expr.kind
of ekFunc:
let fn = expr.funcName.toUpperAscii()
- if fn in ["COUNT", "SUM", "AVG", "MIN", "MAX"]:
+ if fn in ["COUNT", "SUM", "AVG", "MIN", "MAX", "GROUP_CONCAT", "STRING_AGG"]:
let val = aggValues.getOrDefault(aggIdx, Value(kind: vkNull))
aggIdx.inc
return Expr(kind: ekLiteral, value: valueToSqlLiteral(val))
@@ -2753,6 +2857,8 @@ proc aggregateRows*(rows: seq[Row], items: seq[SelectItem], groupBy: seq[Expr],
if not groups.hasKey(keyParts):
var initStates = newSeq[AggState](aggSpecs.len)
+ for idx in 0 ..< initStates.len:
+ initStates[idx].sumIsInt = true
groups[keyParts] = initStates
groupRows[keyParts] = row
@@ -2769,18 +2875,25 @@ proc aggregateRows*(rows: seq[Row], items: seq[SelectItem], groupBy: seq[Expr],
if spec.funcName == "SUM" or spec.funcName == "AVG":
let addVal = if val.kind == vkFloat64: val.float64Val else: float(val.int64Val)
states[i].sum += addVal
+ if val.kind == vkFloat64:
+ states[i].sumIsInt = false
if spec.funcName == "MIN":
if not states[i].initialized or compareValues(val, states[i].min) < 0:
states[i].min = val
if spec.funcName == "MAX":
if not states[i].initialized or compareValues(val, states[i].max) > 0:
states[i].max = val
+ if spec.funcName in ["GROUP_CONCAT", "STRING_AGG"]:
+ states[i].concatValues.add(valueToString(val))
states[i].initialized = true
if rows.len == 0 and groupBy.len == 0:
# Scalar aggregate on empty set
- groups[newSeq[Value]()] = newSeq[AggState](aggSpecs.len)
+ var emptyStates = newSeq[AggState](aggSpecs.len)
+ for idx in 0 ..< emptyStates.len:
+ emptyStates[idx].sumIsInt = true
+ groups[newSeq[Value]()] = emptyStates
groupRows[newSeq[Value]()] = Row(columns: @[], values: @[])
var resultRows: seq[Row] = @[]
@@ -2793,14 +2906,42 @@ proc aggregateRows*(rows: seq[Row], items: seq[SelectItem], groupBy: seq[Expr],
of "COUNT":
aggValues[i] = Value(kind: vkInt64, int64Val: state.count)
of "SUM":
- aggValues[i] = Value(kind: vkFloat64, float64Val: state.sum)
+ if not state.initialized:
+ aggValues[i] = Value(kind: vkNull)
+ elif state.sumIsInt:
+ aggValues[i] = Value(kind: vkInt64, int64Val: int64(state.sum))
+ else:
+ aggValues[i] = Value(kind: vkFloat64, float64Val: state.sum)
of "AVG":
- let avg = if state.count == 0: 0.0 else: state.sum / float(state.count)
- aggValues[i] = Value(kind: vkFloat64, float64Val: avg)
+ if not state.initialized:
+ aggValues[i] = Value(kind: vkNull)
+ else:
+ aggValues[i] = Value(kind: vkFloat64, float64Val: state.sum / float(state.count))
of "MIN":
- aggValues[i] = state.min
+ if not state.initialized:
+ aggValues[i] = Value(kind: vkNull)
+ else:
+ aggValues[i] = state.min
of "MAX":
- aggValues[i] = state.max
+ if not state.initialized:
+ aggValues[i] = Value(kind: vkNull)
+ else:
+ aggValues[i] = state.max
+ of "GROUP_CONCAT", "STRING_AGG":
+ if state.concatValues.len == 0:
+ aggValues[i] = Value(kind: vkNull)
+ else:
+ var separator = ","
+ if spec.separatorExpr != nil:
+ let sepRes = evalExpr(groupRows.getOrDefault(key, Row()), spec.separatorExpr, params)
+ if sepRes.ok and sepRes.value.kind in {vkText, vkBlob}:
+ separator = valueToString(sepRes.value)
+ elif sepRes.ok and sepRes.value.kind != vkNull:
+ separator = valueToString(sepRes.value)
+ let joined = state.concatValues.join(separator)
+ var bytes: seq[byte] = @[]
+ for c in joined: bytes.add(byte(c))
+ aggValues[i] = Value(kind: vkText, bytes: bytes)
else:
aggValues[i] = Value(kind: vkNull)
@@ -2810,7 +2951,7 @@ proc aggregateRows*(rows: seq[Row], items: seq[SelectItem], groupBy: seq[Expr],
for item in items:
let substituted = substituteAggResult(item.expr, aggValues, aggIdx)
let colName = if item.alias.len > 0: item.alias
- elif item.expr != nil and item.expr.kind == ekFunc and item.expr.funcName.toUpperAscii() in ["COUNT", "SUM", "AVG", "MIN", "MAX"]:
+ elif item.expr != nil and item.expr.kind == ekFunc and item.expr.funcName.toUpperAscii() in ["COUNT", "SUM", "AVG", "MIN", "MAX", "GROUP_CONCAT", "STRING_AGG"]:
item.expr.funcName.toLowerAscii()
elif item.expr != nil and item.expr.kind == ekColumn:
item.expr.name
diff --git a/src/planner/planner.nim b/src/planner/planner.nim
index b4f2e9f..0cbcec0 100644
--- a/src/planner/planner.nim
+++ b/src/planner/planner.nim
@@ -174,7 +174,7 @@ proc planSelect(catalog: Catalog, stmt: Statement): Plan =
if expr == nil: return false
case expr.kind
of ekFunc:
- if expr.funcName.toUpperAscii() in ["COUNT", "SUM", "AVG", "MIN", "MAX"]:
+ if expr.funcName.toUpperAscii() in ["COUNT", "SUM", "AVG", "MIN", "MAX", "GROUP_CONCAT", "STRING_AGG"]:
return true
for arg in expr.args:
if exprHasAggregate(arg): return true
diff --git a/src/sql/binder.nim b/src/sql/binder.nim
index d2ae2cb..0f2cbf3 100644
--- a/src/sql/binder.nim
+++ b/src/sql/binder.nim
@@ -43,7 +43,8 @@ proc checkLiteralType(expr: Expr, expected: ColumnType, columnName: string): Res
# Allow compatible coercions that typeCheckValue will handle at runtime.
let compatible =
(expected == ctInt64 and actual in {ctBool, ctFloat64}) or
- (expected == ctFloat64 and actual == ctInt64) or
+ (expected == ctFloat64 and actual in {ctInt64, ctDecimal}) or
+ (expected == ctDecimal and actual in {ctFloat64, ctInt64}) or
(expected == ctBool and actual == ctInt64)
if not compatible:
return err[Void](ERR_SQL, "Type mismatch for column", columnName)
@@ -568,7 +569,7 @@ proc validateCheckExpr(expr: Expr): Result[Void] =
return validateCheckExpr(expr.right)
of ekFunc:
let fn = expr.funcName.toUpperAscii()
- if fn in ["COUNT", "SUM", "AVG", "MIN", "MAX"]:
+ if fn in ["COUNT", "SUM", "AVG", "MIN", "MAX", "GROUP_CONCAT", "STRING_AGG"]:
return err[Void](ERR_SQL, "CHECK expression cannot use aggregate functions", expr.funcName)
if fn == "EXISTS" or fn == "SCALAR_SUBQUERY":
return err[Void](ERR_SQL, "CHECK expression cannot use subqueries")
@@ -1525,6 +1526,40 @@ proc bindInsert(catalog: Catalog, stmt: Statement): Result[Statement] =
table.columns.mapIt(it.name)
else:
stmt.insertColumns
+
+ # INSERT INTO...SELECT: bind the inner SELECT and validate column count
+ if stmt.insertSelectQuery != nil:
+ let selBind = bindStatement(catalog, stmt.insertSelectQuery)
+ if not selBind.ok:
+ return err[Statement](selBind.err.code, selBind.err.message, selBind.err.context)
+ stmt.insertSelectQuery = selBind.value
+ # Validate target columns exist
+ var colIndex = initTable[string, int]()
+ for i, col in table.columns:
+ colIndex[col.name] = i
+ for colName in targetCols:
+ if not colIndex.hasKey(colName):
+ return err[Statement](ERR_SQL, "Unknown column", colName)
+ # Validate SELECT column count matches target columns
+ if stmt.insertSelectQuery.selectItems.len > 0:
+ var selectColCount = 0
+ for item in stmt.insertSelectQuery.selectItems:
+ if item.isStar:
+ # Star expands to all columns from the source table
+ if stmt.insertSelectQuery.fromTable.len > 0:
+ let srcTable = catalog.getTable(stmt.insertSelectQuery.fromTable)
+ if srcTable.ok:
+ selectColCount += srcTable.value.columns.len
+ else:
+ selectColCount += 1
+ else:
+ selectColCount += 1
+ else:
+ selectColCount += 1
+ if selectColCount != targetCols.len:
+ return err[Statement](ERR_SQL, "Column count mismatch", stmt.insertTable)
+ return ok(stmt)
+
if stmt.insertValues.len != targetCols.len:
return err[Statement](ERR_SQL, "Column count mismatch", stmt.insertTable)
var colIndex = initTable[string, int]()
@@ -1878,25 +1913,12 @@ proc bindCreateIndex(catalog: Catalog, stmt: Statement): Result[Statement] =
return err[Statement](ERR_SQL, "Trigram index cannot be UNIQUE", stmt.columnNames[0])
if stmt.indexPredicate != nil:
if stmt.indexKind != sql.ikBtree:
- return err[Statement](ERR_SQL, "Partial indexes are supported only for BTREE in 0.x")
- if stmt.columnNames.len != 1:
- return err[Statement](ERR_SQL, "Partial indexes support only single-column BTREE indexes in 0.x")
- if stmt.unique:
- return err[Statement](ERR_SQL, "UNIQUE partial indexes are not supported in 0.x")
+ return err[Statement](ERR_SQL, "Partial indexes are supported only for BTREE")
var map = initTable[string, TableMeta]()
map[stmt.indexTableName] = tableRes.value
let predBind = bindExpr(map, stmt.indexPredicate)
if not predBind.ok:
return err[Statement](predBind.err.code, predBind.err.message, predBind.err.context)
- let p = stmt.indexPredicate
- let supported =
- p.kind == ekBinary and p.op == "IS NOT" and
- p.left != nil and p.left.kind == ekColumn and
- (p.left.table.len == 0 or p.left.table == stmt.indexTableName) and
- p.left.name == stmt.columnNames[0] and
- p.right != nil and p.right.kind == ekLiteral and p.right.value.kind == svNull
- if not supported:
- return err[Statement](ERR_SQL, "Partial index predicate must be ` IS NOT NULL` in 0.x")
ok(stmt)
proc validateDependentViewsForReplacement(catalog: Catalog, candidate: ViewMeta): Result[Void] =
diff --git a/src/sql/sql.nim b/src/sql/sql.nim
index 592afa2..2d4a95f 100644
--- a/src/sql/sql.nim
+++ b/src/sql/sql.nim
@@ -212,6 +212,7 @@ type Statement* = ref object
insertColumns*: seq[string]
insertValues*: seq[Expr]
insertValueRows*: seq[seq[Expr]] # additional rows for multi-row INSERT
+ insertSelectQuery*: Statement # for INSERT INTO...SELECT
insertConflictAction*: InsertConflictAction
insertConflictTargetCols*: seq[string]
insertConflictTargetConstraint*: string
@@ -661,6 +662,20 @@ proc parseCaseExpr(node: JsonNode): Result[Expr] =
proc parseSubLink(node: JsonNode): Result[Expr] =
let linkType = nodeStringOr(node, "subLinkType", "")
+ if linkType == "ANY_SUBLINK":
+ # IN (subquery): parse test expression and subquery
+ let testExprNode = nodeGet(node, "testexpr")
+ let testRes = parseExprNode(testExprNode)
+ if not testRes.ok:
+ return err[Expr](testRes.err.code, testRes.err.message, testRes.err.context)
+ let subselectNode = nodeGet(node, "subselect")
+ let stmtRes = parseStatementNode(subselectNode)
+ if not stmtRes.ok:
+ return err[Expr](stmtRes.err.code, stmtRes.err.message, stmtRes.err.context)
+ if stmtRes.value.kind != skSelect:
+ return err[Expr](ERR_SQL, "Subquery requires SELECT statement")
+ let sqlText = selectToCanonicalSql(stmtRes.value)
+ return ok(Expr(kind: ekFunc, funcName: "IN_SUBQUERY", args: @[testRes.value, Expr(kind: ekLiteral, value: SqlValue(kind: svString, strVal: sqlText))], isStar: false))
if linkType != "EXISTS_SUBLINK" and linkType != "EXPR_SUBLINK":
return err[Expr](ERR_SQL, "Only EXISTS and scalar subqueries are supported")
let subselectNode = nodeGet(node, "subselect")
@@ -1025,6 +1040,7 @@ proc parseInsertStmt(node: JsonNode): Result[Statement] =
let selectNode = nodeGet(node, "selectStmt")
var values: seq[Expr] = @[]
var extraRows: seq[seq[Expr]] = @[]
+ var insertSelect: Statement = nil
if nodeHas(selectNode, "SelectStmt"):
let selectStmt = selectNode["SelectStmt"]
let valuesLists = nodeGet(selectStmt, "valuesLists")
@@ -1045,6 +1061,12 @@ proc parseInsertStmt(node: JsonNode): Result[Statement] =
values = rowValues
else:
extraRows.add(rowValues)
+ elif nodeHas(selectStmt, "targetList") or nodeHas(selectStmt, "fromClause"):
+ # INSERT INTO...SELECT: parse the inner SELECT statement
+ let selRes = parseSelectStmt(selectStmt)
+ if not selRes.ok:
+ return err[Statement](selRes.err.code, selRes.err.message, selRes.err.context)
+ insertSelect = selRes.value
var conflictAction = icaNone
var conflictTargetCols: seq[string] = @[]
@@ -1124,6 +1146,7 @@ proc parseInsertStmt(node: JsonNode): Result[Statement] =
insertColumns: cols,
insertValues: values,
insertValueRows: extraRows,
+ insertSelectQuery: insertSelect,
insertConflictAction: conflictAction,
insertConflictTargetCols: conflictTargetCols,
insertConflictTargetConstraint: conflictTargetConstraint,
diff --git a/src/storage/storage.nim b/src/storage/storage.nim
index ec88d14..a04206c 100644
--- a/src/storage/storage.nim
+++ b/src/storage/storage.nim
@@ -304,20 +304,137 @@ proc indexKeyForRow(table: TableMeta, idx: IndexMeta, values: seq[Value]): Resul
return err[uint64](ERR_SQL, "Invalid index column mapping", idx.name)
ok(compositeIndexKey(values, colIndices))
+var predicateCache {.threadvar.}: Table[string, Expr]
+var predicateCacheReady {.threadvar.}: bool
+
+proc parsePredicateExpr(predicateSql: string, tableName: string): Expr =
+ ## Parse a predicate SQL string into an Expr, using a cache.
+ if not predicateCacheReady:
+ predicateCache = initTable[string, Expr]()
+ predicateCacheReady = true
+ let key = tableName & ":" & predicateSql
+ if predicateCache.hasKey(key):
+ return predicateCache[key]
+ let wrapped = "SELECT 1 FROM " & tableName & " WHERE " & predicateSql
+ let res = parseSql(wrapped)
+ if res.ok and res.value.statements.len > 0:
+ let stmt = res.value.statements[0]
+ if stmt.kind == skSelect and stmt.whereExpr != nil:
+ predicateCache[key] = stmt.whereExpr
+ return stmt.whereExpr
+ return nil
+
+proc evalPredicateValue(table: TableMeta, values: seq[Value], expr: Expr): Value =
+ ## Evaluate a simple predicate expression against row values.
+ ## Returns vkBool true/false, or vkNull if not evaluable.
+ if expr == nil:
+ return Value(kind: vkNull)
+ case expr.kind
+ of ekLiteral:
+ case expr.value.kind
+ of svNull: return Value(kind: vkNull)
+ of svInt: return Value(kind: vkInt64, int64Val: expr.value.intVal)
+ of svFloat: return Value(kind: vkFloat64, float64Val: expr.value.floatVal)
+ of svString:
+ var bytes: seq[byte] = @[]
+ for c in expr.value.strVal: bytes.add(byte(c))
+ return Value(kind: vkText, bytes: bytes)
+ of svBool: return Value(kind: vkBool, boolVal: expr.value.boolVal)
+ of svParam: return Value(kind: vkNull)
+ of ekColumn:
+ for i, col in table.columns:
+ if col.name == expr.name:
+ if i < values.len: return values[i]
+ return Value(kind: vkNull)
+ return Value(kind: vkNull)
+ of ekBinary:
+ let lv = evalPredicateValue(table, values, expr.left)
+ let rv = evalPredicateValue(table, values, expr.right)
+ # IS / IS NOT (handles NULL, IS TRUE, IS FALSE)
+ if expr.op == "IS" or expr.op == "IS NOT":
+ let rvIsNull = rv.kind == vkNull
+ let rvBool = not rvIsNull and rv.kind in {vkBool, vkBoolTrue, vkBoolFalse}
+ let rvTrue = rvBool and (rv.boolVal or rv.kind == vkBoolTrue)
+ var matched: bool
+ if rvIsNull:
+ matched = lv.kind == vkNull
+ elif rvBool:
+ if lv.kind == vkNull:
+ matched = false
+ else:
+ let lvBool = lv.kind in {vkBool, vkBoolTrue, vkBoolFalse} and (lv.boolVal or lv.kind == vkBoolTrue)
+ matched = if rvTrue: lvBool else: not lvBool
+ else:
+ matched = false
+ if expr.op == "IS NOT":
+ matched = not matched
+ return Value(kind: vkBool, boolVal: matched)
+ # Boolean AND/OR — SQL three-valued logic (must precede NULL propagation)
+ if expr.op == "AND":
+ let lvIsNull = lv.kind == vkNull
+ let rvIsNull = rv.kind == vkNull
+ let lvTrue = not lvIsNull and lv.kind in {vkBool, vkBoolTrue, vkBoolFalse} and (lv.boolVal or lv.kind == vkBoolTrue)
+ let rvTrue = not rvIsNull and rv.kind in {vkBool, vkBoolTrue, vkBoolFalse} and (rv.boolVal or rv.kind == vkBoolTrue)
+ # FALSE AND anything = FALSE
+ if not lvIsNull and not lvTrue: return Value(kind: vkBool, boolVal: false)
+ if not rvIsNull and not rvTrue: return Value(kind: vkBool, boolVal: false)
+ if lvTrue and rvTrue: return Value(kind: vkBool, boolVal: true)
+ return Value(kind: vkNull)
+ if expr.op == "OR":
+ let lvIsNull = lv.kind == vkNull
+ let rvIsNull = rv.kind == vkNull
+ let lvTrue = not lvIsNull and lv.kind in {vkBool, vkBoolTrue, vkBoolFalse} and (lv.boolVal or lv.kind == vkBoolTrue)
+ let rvTrue = not rvIsNull and rv.kind in {vkBool, vkBoolTrue, vkBoolFalse} and (rv.boolVal or rv.kind == vkBoolTrue)
+ # TRUE OR anything = TRUE
+ if lvTrue: return Value(kind: vkBool, boolVal: true)
+ if rvTrue: return Value(kind: vkBool, boolVal: true)
+ if not lvIsNull and not rvIsNull: return Value(kind: vkBool, boolVal: false)
+ return Value(kind: vkNull)
+ # Standard comparisons — NULL propagates
+ if lv.kind == vkNull or rv.kind == vkNull:
+ return Value(kind: vkNull)
+ # Compare integers
+ if lv.kind in {vkInt64, vkInt0, vkInt1} and rv.kind in {vkInt64, vkInt0, vkInt1}:
+ let a = if lv.kind == vkInt0: 0'i64 elif lv.kind == vkInt1: 1'i64 else: lv.int64Val
+ let b = if rv.kind == vkInt0: 0'i64 elif rv.kind == vkInt1: 1'i64 else: rv.int64Val
+ case expr.op
+ of "=": return Value(kind: vkBool, boolVal: a == b)
+ of "!=", "<>": return Value(kind: vkBool, boolVal: a != b)
+ of "<": return Value(kind: vkBool, boolVal: a < b)
+ of ">": return Value(kind: vkBool, boolVal: a > b)
+ of "<=": return Value(kind: vkBool, boolVal: a <= b)
+ of ">=": return Value(kind: vkBool, boolVal: a >= b)
+ else: discard
+ # Compare floats
+ if lv.kind == vkFloat64 and rv.kind == vkFloat64:
+ case expr.op
+ of "=": return Value(kind: vkBool, boolVal: lv.float64Val == rv.float64Val)
+ of "!=", "<>": return Value(kind: vkBool, boolVal: lv.float64Val != rv.float64Val)
+ of "<": return Value(kind: vkBool, boolVal: lv.float64Val < rv.float64Val)
+ of ">": return Value(kind: vkBool, boolVal: lv.float64Val > rv.float64Val)
+ of "<=": return Value(kind: vkBool, boolVal: lv.float64Val <= rv.float64Val)
+ of ">=": return Value(kind: vkBool, boolVal: lv.float64Val >= rv.float64Val)
+ else: discard
+ return Value(kind: vkNull)
+ of ekUnary:
+ if expr.unOp == "NOT":
+ let v = evalPredicateValue(table, values, expr.expr)
+ if v.kind == vkNull: return Value(kind: vkNull)
+ if v.kind in {vkBool, vkBoolTrue, vkBoolFalse}:
+ let b = v.boolVal or v.kind == vkBoolTrue
+ return Value(kind: vkBool, boolVal: not b)
+ return Value(kind: vkNull)
+ else:
+ return Value(kind: vkNull)
+
proc shouldIncludeInIndex(table: TableMeta, idx: IndexMeta, values: seq[Value]): bool =
- ## v0 partial-index support: only ` IS NOT NULL`.
if idx.predicateSql.len == 0:
return true
- if idx.columns.len != 1:
- return false
- var ci = -1
- for i, col in table.columns:
- if col.name == idx.columns[0]:
- ci = i
- break
- if ci < 0 or ci >= values.len:
- return false
- values[ci].kind != vkNull
+ let predExpr = parsePredicateExpr(idx.predicateSql, idx.table)
+ if predExpr == nil:
+ return true
+ let evalResult = evalPredicateValue(table, values, predExpr)
+ evalResult.kind in {vkBool, vkBoolTrue} and (evalResult.boolVal or evalResult.kind == vkBoolTrue)
proc valueText(value: Value): string =
var s = ""
diff --git a/tests/nim/test_binder.nim b/tests/nim/test_binder.nim
index 6eb8aaa..04c7473 100644
--- a/tests/nim/test_binder.nim
+++ b/tests/nim/test_binder.nim
@@ -323,15 +323,15 @@ suite "Binder":
let stmtPartialBadExpr = parseSingle("CREATE INDEX parent_id_partial_bad ON parent (id) WHERE id > 0")
let bindPartialBadExpr = bindStatement(db.catalog, stmtPartialBadExpr)
- check not bindPartialBadExpr.ok
+ check bindPartialBadExpr.ok
let stmtPartialBadUnique = parseSingle("CREATE UNIQUE INDEX parent_id_partial_uq ON parent (id) WHERE id IS NOT NULL")
let bindPartialBadUnique = bindStatement(db.catalog, stmtPartialBadUnique)
- check not bindPartialBadUnique.ok
+ check bindPartialBadUnique.ok
let stmtPartialBadMulti = parseSingle("CREATE INDEX parent_multi_partial ON parent (id, id) WHERE id IS NOT NULL")
let bindPartialBadMulti = bindStatement(db.catalog, stmtPartialBadMulti)
- check not bindPartialBadMulti.ok
+ check bindPartialBadMulti.ok
let stmtExprOk = parseSingle("CREATE INDEX parent_id_txt_expr ON parent ((CAST(id AS TEXT)))")
let bindExprOk = bindStatement(db.catalog, stmtExprOk)
diff --git a/tests/nim/test_exec.nim b/tests/nim/test_exec.nim
index 6b4365c..55eaf5c 100644
--- a/tests/nim/test_exec.nim
+++ b/tests/nim/test_exec.nim
@@ -134,7 +134,7 @@ suite "Exec Plans":
check rowVals.len == 5
check rowVals[0].kind == vkInt64
check rowVals[0].int64Val == 1
- check rowVals[1].float64Val == 40.0 # SUM(10 + 30)
+ check rowVals[1].int64Val == 40 # SUM(10 + 30)
check rowVals[2].float64Val == 20.0 # AVG(10, 30)
check rowVals[3].int64Val == 10 # MIN(10, 30)
check rowVals[4].int64Val == 30 # MAX(10, 30)
diff --git a/tests/nim/test_exec_helpers.nim b/tests/nim/test_exec_helpers.nim
index 04368b9..c7b8789 100644
--- a/tests/nim/test_exec_helpers.nim
+++ b/tests/nim/test_exec_helpers.nim
@@ -109,10 +109,10 @@ suite "Exec Helpers Extended":
for row in agg.value:
let sumIdx = columnIndex(row, "", "sum")
check sumIdx.ok
- let sumVal = row.values[sumIdx.value].float64Val
- if sumVal == 5.0:
+ let sumVal = row.values[sumIdx.value].int64Val
+ if sumVal == 5:
sawSum5 = true
- elif sumVal == 1.0:
+ elif sumVal == 1:
sawSum1 = true
check sawSum5 and sawSum1
diff --git a/tests/nim/test_sql_exec.nim b/tests/nim/test_sql_exec.nim
index 20ec206..5cb3866 100644
--- a/tests/nim/test_sql_exec.nim
+++ b/tests/nim/test_sql_exec.nim
@@ -868,13 +868,13 @@ suite "Planner":
check execSql(db, "CREATE TABLE t (id INT PRIMARY KEY, val INT, txt TEXT)").ok
let badPredicate = execSql(db, "CREATE INDEX t_val_partial_bad ON t (val) WHERE val > 0")
- check not badPredicate.ok
+ check badPredicate.ok
let badUnique = execSql(db, "CREATE UNIQUE INDEX t_val_partial_uq ON t (val) WHERE val IS NOT NULL")
- check not badUnique.ok
+ check badUnique.ok
let badMulti = execSql(db, "CREATE INDEX t_pair_partial ON t (id, val) WHERE id IS NOT NULL")
- check not badMulti.ok
+ check badMulti.ok
let badTrgm = execSql(db, "CREATE INDEX t_txt_partial_trgm ON t USING trigram (txt) WHERE txt IS NOT NULL")
check not badTrgm.ok
@@ -1193,14 +1193,14 @@ suite "Planner":
check r2.ok
check r2.value.len == 1
let r2val = splitRow(r2.value[0])
- check r2val[0] == "350.0"
+ check r2val[0] == "350"
- # Nested aggregate on empty set (SUM returns 0.0 float, COALESCE picks that over literal 0)
+ # Nested aggregate on empty set (SUM returns NULL on empty set, COALESCE picks literal 0)
let r3 = execSql(db, "SELECT COALESCE(SUM(play_count), 0) FROM tracks WHERE id < 0")
check r3.ok
check r3.value.len == 1
let r3val = splitRow(r3.value[0])
- check r3val[0] == "0.0"
+ check r3val[0] == "0"
discard closeDb(db)