SDE 1.1.0
See the version list below for details.
dotnet add package SDE --version 1.1.0
NuGet\Install-Package SDE -Version 1.1.0
<PackageReference Include="SDE" Version="1.1.0" />
paket add SDE --version 1.1.0
#r "nuget: SDE, 1.1.0"
// Install SDE as a Cake Addin #addin nuget:?package=SDE&version=1.1.0 // Install SDE as a Cake Tool #tool nuget:?package=SDE&version=1.1.0
SDE (System.Data.Extensions)
Methods:
- CreateCommand
- CreateStoredProcCommand
- CreateParameter
- AddInParameter
- AddOutParameter
- AddParameter
- ExecuteNonQuery
- ExecuteScalar
- Query
- QueryOne
- QueryMultiple
- CleanSql: remove "Go" delimiter from queries. Avoid fail on execution
- Open: Shortcut for fluent code
Async
- ExecuteNonQueryAsync
- ExecuteScalarAsync
- QueryAsync
- QueryOneAsync
- QueryMultipleAsync
- OpenAsync
DataReader methods
- GetNames
- GetValueOrDefault
- GetValueAs
- GetValueOrDefaultAs
- GetValueTo
- GetValueOrDefaultTo
Db supported:
- Sql Server
- Sqlite
- MySql
- PostgreSql
- And more
Samples
Query
using (var connection = new SqlConnection(ConnectionString))
{
var products = connection.Query<Product>("SELECT * FROM [Products]").ToList();
}
Query Many
using (var connection = new SqlConnection(ConnectionString))
{
var products = connection.Query<Product>("SELECT * FROM [Products] WHERE [CategoryID]=@CategoryID",
new[]
{
new { CategoryID = 1 },
new { CategoryID = 2 }
}).ToList();
}
Multiple queries
using (var connection = new SqlConnection(ConnectionString))
{
var products = connection.Query<Product>("SELECT * FROM [Products] WHERE [ProductID]=@ProductID;SELECT * FROM [Products] WHERE [ProductID]=@ProductID2",
new dynamic[]
{
new { ProductID = 1 },
new { ProductID2 = 2 }
}).ToList();
}
Tip: single parameter for multiple queries
var products = connection.Query<Product>("SELECT * FROM [Products] WHERE [ProductID]=@ProductID;SELECT * FROM [Products] WHERE [ProductID]=@ProductID2",
new { ProductID = 1, ProductID2 = 2 }).ToList();
QueryMultiple
(and QueryMultipleAsync
)
using (var connection = new SqlConnection(ConnectionString))
{
var results = connection.QueryMultiple("SELECT * FROM [Categories];SELECT * FROM [Products]");
var categories = results.Read<Category>().ToList(); // or ReadOne
var products = results.Read<Product>().ToList();
}
QueryOne
with parameter
using (var connection = new SqlConnection(ConnectionString))
{
var product = connection.QueryOne<Product>(@"SELECT * FROM [Products] WHERE [ProductID]=@ProductID", new { ProductID = 1 }); // anonymous object
}
Custom Map
public class Post
{
public int PostId { get; set; }
public string Title { get; set; }
// etc.
}
public class PostMapper : IDataReaderMapper<Post>
{
public Post Map(IDataReader reader, ColumnMappings columnMappings)
{
var post = new Post();
for (int i = 0; i < reader.FieldCount; i++)
{
var name = reader.GetName(i);
if (name == "PostId")
post.PostId = reader.GetInt32(i);
else if (name == "Title")
post.Title = reader.IsDBNull(i) ? null : reader.GetString(i);
}
return post;
}
}
and use
var mapper = new PostMapper();
var posts = connection.Query<Post>("Select * from Posts", map: mapper.Map).ToList();
Or directly
var posts = connection.Query<Post>("Select * from Posts", map: (reader, columnMappings) =>
{
var post = new Post();
for (int i = 0; i < reader.FieldCount; i++)
{
var name = reader.GetName(i);
if (name == "PostId")
post.PostId = reader.GetInt32(i);
else if (name == "Title")
post.Title = reader.IsDBNull(i) ? null : reader.GetString(i);
}
return post;
});
ExecuteNonQuery
using (var connection = new SqlConnection(ConnectionString))
{
connection.ExecuteNonQuery("INSERT INTO [Posts]([Title],[Content]) VALUES (@Title,@Content)", new Post { Title = "First Article", Content = "First Content" }); // entity
}
Insert Many
using (var connection = new SqlConnection(ConnectionString))
{
// rows affected = 2
var rowsAffected = connection.ExecuteNonQuery(@"INSERT INTO [Posts]([Title],[Content]) VALUES (@Title,@Content)",
new[]
{
new { Title = "Article A", Content = "Content A" },
new { Title = "Article B", Content = "Content B" }
});
}
ExecuteScalar
using (var connection = new SqlConnection(ConnectionString))
{
var result = (int)connection.ExecuteScalar("SELECT COUNT(*) FROM [Posts]");
}
Transactions
with TransactionScope
try
{
using (var scope = new TransactionScope())
{
using (var connection = new SqlConnection(ConnectionString))
{
connection.ExecuteNonQuery("CREATE TABLE [Posts]([PostId] INT NOT NULL PRIMARY KEY IDENTITY(1,1),[Title] NVARCHAR(MAX),Content NTEXT)");
connection.ExecuteNonQuery("INSERT INTO [Posts]([Title],[Content]) VALUES (@Title,@Content)", new Post { Title = "First Article", Content = "First Content" }); // entity
scope.Complete();
}
}
}
catch (Exception ex)
{
throw;
}
With Async
using (var scope = new TransactionScope(TransactionScopeAsyncFlowOption.Enabled))
// ect.
Relations
- Foreign Key
using (var connection = new SqlConnection(ConnectionString))
{
var products = connection.Query<Product>("SELECT * FROM [Products]").ToList();
foreach (var product in products)
{
var category = connection.QueryOne<Category>("SELECT * FROM [Categories] WHERE [CategoryId]=@CategoryId", new { CategoryId = product.CategoryId });
product.Category = category;
}
}
Or only 1 query
var connection = new SqlConnection(ConnectionString);
var products = connection.Query<Product, Category, Product>(@"select * from Products p inner join Categories c on p.CategoryId = c.CategoryId", (product, category) =>
{
product.Category = category; // navigation property
return product;
}).ToList();
- Many relation
var connection = new SqlConnection(ConnectionString);
var rows = connection.Query<Category, Product, Category>(@"select * from Categories c inner join Products p on p.CategoryId = c.CategoryId", (category, product) =>
{
category.Products.Add(product); // navigation property
return category;
}).ToList();
// group by CategoryId
var categories = new List<Category>();
foreach (var row in rows)
{
// each row has one product
var category = categories.FirstOrDefault(x => x.CategoryId == row.CategoryId);
if(category != null)
{
// append row's product to category
category.Products.AddRange(row.Products);
}
else
categories.Add(row);
}
Async
using (var connection = new SqlConnection(ConnectionString))
{
var posts = await connection.QueryAsync<Post>("SELECT * FROM [Posts]");
var post = await connection.QueryOneAsync<Post>("SELECT * FROM [Posts] WHERE PostId=@PostId", new { PostId = 1 });
}
And more
...
Get the new id with Query
var sql = "INSERT INTO [Posts]([Title],[Content]) VALUES (@Title,@Content);SELECT CAST(SCOPE_IDENTITY() as int)";
var id = connection.Query<int>(sql, new Post { Title = "First Article", Content = "First Content" }).Single();
Or with ExecuteScalar
var sql = "INSERT INTO [Posts]([Title],[Content]) output inserted.id VALUES (@Title,@Content);SELECT CAST(SCOPE_IDENTITY() as int)";
int id = (int)connection.ExecuteScalar(sql, new Post { Title = "First Article", Content = "First Content" });
For unspecified object
use Row
var rows = connection.Query<Row>("select * from Posts; select * from Categories").ToList();
Output parameter
with Stored procedure
var connection = new SqlConnection(ConnectionString);
connection.ExecuteNonQuery(@"
CREATE PROC usp_AddUser
(
@UserName nvarchar(150),
@UserId int OUTPUT
)
AS
BEGIN
INSERT INTO Users(UserName) VALUES(@UserName);
SET @UserId = SCOPE_IDENTITY();
END
");
var command = connection.CreateStoredProcCommand("usp_AddUser")
.AddInParameter("UserName", "Brad")
.AddOutParameter("UserId", dbType: DbType.Int32);
command.Open().ExecuteNonQuery();
var userId = ((IDbDataParameter)command.Parameters["UserId"]).Value;
Or with DbParameters
var parameters = new DbParameters
{
new SqlParameter("@UserName", "Brad"),
new SqlParameter
{
ParameterName = "@UserId",
DbType = DbType.Int32,
Direction = ParameterDirection.Output
}
};
connection.ExecuteNonQuery("usp_AddUser", parameters, commandType: CommandType.StoredProcedure);
var userId = parameters.Get<int>("UserId");
Single value or list of values
var userNames = connection.Query<string>("Select UserName from Users").ToList();
Param to DbParameter
Anonymous object
:
var product = connection.QueryOne<Product>(@"SELECT * FROM [Products] WHERE [ProductID]=@ProductID", new { ProductID = 1 });
Entity
:
connection.ExecuteNonQuery("INSERT INTO [Posts]([Title],[Content]) VALUES (@Title,@Content)", new Post { Title = "First Article", Content = "First Content" });
DbParameters collection
(allows to configure parameters):
// sample with PostgreSql
connection.ExecuteNonQuery("INSERT INTO \"MyTable\"(\"MyJson\")VALUES(@MyJson)", new DbParameters
{
new NpgsqlParameter ("MyJson", NpgsqlDbType.Json){ Value = "{\"sample\":\"value\"}" }
});
TypeHandlers
: for custom types (Geometry for example) or types supported/not supported by the SGBD (DateTimeOffset, uint, etc.). Example sbyte with PostgreSql
public class NpgsqlSByteHandler : TypeHandler<sbyte>
{
// param => db parameter value
public override void SetValue(IDbDataParameter parameter, sbyte value)
{
parameter.Value = (int)value;
}
}
Register the custom type handler
SDECore.DbCommandBuilder.AddOrUpdateTypeHandler<sbyte>(new NpgsqlSByteHandler());
TypeHandler and TypeMapper
TypeHandler is used to convert a param to a db parameter. TypeMapper is used to convert DataReader value to property value. The default datareader mapper converts a lot of values, so the TypeMapper is not always required.
Sample with JArray (Json.Net)
// create table
var connection = new SqlConnection(Constants.ConnectionStringTypes);
connection.ExecuteNonQuery("DROP TABLE IF EXISTS dbo.[Colors];CREATE TABLE dbo.[Colors]([Id] INT NOT NULL, [ColorName] NVARCHAR(50) NOT NULL)");
// write
SDECore.DbCommandBuilder.AddOrUpdateTypeHandler<JArray>(new JArrayTypeHandler());
var colors = new JArray() { "Blue", "Red", "Green" };
connection.ExecuteNonQuery("INSERT INTO dbo.[Colors]([Id],[ColorName]) select @Id,[value] from openjson(@Colors)", new { Id = 1, Colors = colors });
// read
SDECore.DefaultMapper.AddOrUpdateTypeMapper<JArray>(new JArrayTypeMapper());
var results = connection.Query<JArray>("SELECT JSON_QUERY(REPLACE(REPLACE((SELECT [ColorName] FROM dbo.[Colors] FOR JSON PATH), '{\"ColorName\":', ''), '}', ''))").ToList();
Used
public class JArrayTypeHandler : TypeHandler<JArray>
{
public override void SetValue(IDbDataParameter parameter, JArray value)
{
parameter.Value = value.ToString();
}
}
public class JArrayTypeMapper : TypeMappper<JArray>
{
public override JArray Map(IDataReader reader, int? index)
{
var fieldValue = reader.GetString(index.Value);
return JArray.Parse(fieldValue);
}
}
ColumnMappings
Avoids conflicts for tables with same column names, allows to resolve columns with aliases and target properties.
var results = connection.Query<Row>(@"Select ProductId, t1.Name, CategoryId, t2.Name from Products t1, Categories t2", columnMappings: new ColumnMappings
{
new ColumnMapping("Name","Products",1),
new ColumnMapping("Name","Categories",3)
}).ToList();
Alias
var results = connection.Query<Category>(@"Select Name as MyAlias from Categories", columnMappings: new ColumnMappings
{
new ColumnMapping("MyAlias","Name", nameof(Category),0)
}).ToList();
Mapping
var results = connection.Query<Category>(@"Select Name from Categories", columnMappings: new ColumnMappings
{
new ColumnMapping("Name","CategoryName", nameof(Category),0)
}).ToList();
Or with Generic version (less performant)
var results = connection.Query<Category>(@"Select Name from Categories", columnMappings: new ColumnMappings
{
new ColumnMapping<Category>("Name", x => x.CategoryName, 0)
}).ToList();
public class Category
{
public string CategoryName { get; set; }
}
Or with Column Attribute
(and ColumnMappings not used)
public class Category
{
[Column("Name")]
public string CategoryName { get; set; }
}
Positional parameters "?"
SDE replaces paremeters like
?Title?
by?
Sample
using (var connection = new OleDbConnection(ConnectionString))
{
connection.ExecuteNonQuery("INSERT INTO [Posts]([Title],[Content]) VALUES (?Title?,?Content?)", new Post { Title = "First Article", Content = "First Content" });
}
// sql sent: INSERT INTO [Posts]([Title],[Content]) VALUES (?,?)
It's possible to tell to SDE explicitly that we use Positional Parameters (Auto detected for System.Data.OleDb)
SDECore.DbCommandBuilder.IsUsingPositionalParameters = true;
Services (SDECore)
- IFieldValueToTypeConverter: FieldValueToTypeConverter by default. Allows to convert DataReader values.
- ISqlQuerySplitter: SqlQuerySplitter by default. Allows to split sql into queries (split on ";" and "GO") and clean queries.
- IObjectFactory: Used by default DataReader Mapper to create instances... ReflectionObjectFactory or DynamicObjectFactory by default.
- IPropertySetProvider: Used by default DataReader Mapper to set property values ... ReflectionPropertySetProvider or DynamicPropertySetP by default.
DefaultMapper
It's possible to replace the default mapper. Sample with AutoMapper.Data
public class AutoMapperDefaultMapper : DefaultMapper
{
private readonly Mapper _mapper;
public AutoMapperDefaultMapper()
{
var configuration = new MapperConfiguration(cfg =>
{
cfg.AddDataReaderMapping(true);
cfg.CreateMap<IDataRecord, Customer>();
});
_mapper = new Mapper(configuration);
}
public override T Map<T>(IDataReader reader, ColumnMappings columnMappings)
{
return _mapper.Map<T>(reader);
}
}
And change the default mapper
SDECore.DefaultMapper = new AutoMapperDefaultMapper();
Repository Pattern
Sample
public interface IEmployeeRepository
{
Employee Find(int id);
List<Employee> GetAll();
Employee Add(Employee employee);
Employee Update(Employee employee);
void Remove(int id);
List<Employee> GetEmployeeWithCompany();
}
public class EmployeeRepository :IEmployeeRepository
{
private readonly DbConnection _db;
public EmployeeRepository(IConfiguration configuration)
{
_db = new SqlConnection(configuration.GetConnectionString("DefaultConnection"));
}
public List<Employee> GetAll()
{
var sql = "SELECT * FROM Employees";
return _db.Query<Employee>(sql).ToList();
}
public List<Employee> GetEmployeeWithCompany()
{
var sql = "SELECT E.*,C.* FROM Employees AS E INNER JOIN Companies AS C ON E.CompanyId = C.CompanyId ";
var employee = _db.Query<Employee, Company, Employee>(sql, (e, c) =>
{
e.Company = c;
return e;
});
return employee.ToList();
}
public Employee Find(int id)
{
var sql = "SELECT * FROM Employees WHERE EmployeeId = @Id";
return _db.Query<Employee>(sql, new { @Id = id }).Single();
}
public Employee Add(Employee employee)
{
var sql = "INSERT INTO Employees (Name, Title, Email, Phone, CompanyId) VALUES(@Name, @Title, @Email, @Phone, @CompanyId);SELECT CAST(SCOPE_IDENTITY() as int); ";
var id = _db.Query<int>(sql, employee).Single();
employee.EmployeeId = id;
return employee;
}
public Employee Update(Employee employee)
{
var sql = "UPDATE Employees SET Name = @Name, Title = @Title, Email = @Email, Phone = @Phone, CompanyId = @CompanyId WHERE EmployeeId = @EmployeeId";
_db.ExecuteNonQuery(sql, employee);
return employee;
}
public void Remove(int id)
{
var sql = "DELETE FROM Employees WHERE EmployeeId = @Id";
_db.ExecuteNonQuery(sql, new { id });
}
}
Interception
SDEProxy
. Intercept IDbConnection, IDbCommand, etc.
public class Sample
{
private const string ConnectionString = "Server=(localdb)\\MSSQLLocalDB;Database=Northwind;Trusted_Connection=True;MultipleActiveResultSets=true;";
public void Run()
{
using (var connection = new SqlConnection(ConnectionString))
{
var command = connection.CreateCommand();
command.CommandText = "SELECT COUNT(*) FROM [Customers] WHERE [Country]=@Country";
command.Parameters.Add(new SqlParameter("Country", "France"));
var proxy = SDEProxy<IDbCommand>.CreateProxy(command, BeforeInvoke, AfterInvoke, OnFailed);
connection.Open();
int result = (int)command.ExecuteScalar();
Console.WriteLine("result: " + result);
int proxyResult = (int)proxy.ExecuteScalar();
Console.WriteLine("proxy result: " + proxyResult);
}
}
private void BeforeInvoke(MethodInfo method, object[] parameters, IDbCommand command)
{
// update command parameter value
int index = command.Parameters.IndexOf("Country");
if (index != -1)
((IDataParameter)command.Parameters[index]).Value = "UK";
}
private void AfterInvoke(MethodInfo method, object[] parameters, IDbCommand command, object result) { }
private void OnFailed(MethodInfo method, object[] parameters, IDbCommand command, Exception ex) { }
}
Or use a library like PostSharp, Fody, NIntercept, Castle, etc.
Or use visitor or proxy pattern
to create a custom connections, commands, etc.
Product | Versions Compatible and additional computed target framework versions. |
---|---|
.NET | net5.0 is compatible. net5.0-windows was computed. net6.0 is compatible. net6.0-android was computed. net6.0-ios was computed. net6.0-maccatalyst was computed. net6.0-macos was computed. net6.0-tvos was computed. net6.0-windows was computed. net7.0 was computed. net7.0-android was computed. net7.0-ios was computed. net7.0-maccatalyst was computed. net7.0-macos was computed. net7.0-tvos was computed. net7.0-windows was computed. net8.0 was computed. net8.0-android was computed. net8.0-browser was computed. net8.0-ios was computed. net8.0-maccatalyst was computed. net8.0-macos was computed. net8.0-tvos was computed. net8.0-windows was computed. |
.NET Core | netcoreapp2.0 was computed. netcoreapp2.1 was computed. netcoreapp2.2 was computed. netcoreapp3.0 was computed. netcoreapp3.1 was computed. |
.NET Standard | netstandard2.0 is compatible. netstandard2.1 was computed. |
.NET Framework | net461 was computed. net462 was computed. net463 was computed. net47 was computed. net471 was computed. net472 was computed. net48 was computed. net481 was computed. |
MonoAndroid | monoandroid was computed. |
MonoMac | monomac was computed. |
MonoTouch | monotouch was computed. |
Tizen | tizen40 was computed. tizen60 was computed. |
Xamarin.iOS | xamarinios was computed. |
Xamarin.Mac | xamarinmac was computed. |
Xamarin.TVOS | xamarintvos was computed. |
Xamarin.WatchOS | xamarinwatchos was computed. |
-
.NETStandard 2.0
- System.ComponentModel.Annotations (>= 5.0.0)
- System.Reflection.DispatchProxy (>= 4.7.1)
- System.Reflection.Emit.Lightweight (>= 4.7.0)
-
net5.0
- No dependencies.
-
net6.0
- No dependencies.
NuGet packages
This package is not used by any NuGet packages.
GitHub repositories
This package is not used by any popular GitHub repositories.