Acontplus.Persistence.PostgreSQL
1.1.4
dotnet add package Acontplus.Persistence.PostgreSQL --version 1.1.4
NuGet\Install-Package Acontplus.Persistence.PostgreSQL -Version 1.1.4
<PackageReference Include="Acontplus.Persistence.PostgreSQL" Version="1.1.4" />
<PackageVersion Include="Acontplus.Persistence.PostgreSQL" Version="1.1.4" />
<PackageReference Include="Acontplus.Persistence.PostgreSQL" />
paket add Acontplus.Persistence.PostgreSQL --version 1.1.4
#r "nuget: Acontplus.Persistence.PostgreSQL, 1.1.4"
#:package Acontplus.Persistence.PostgreSQL@1.1.4
#addin nuget:?package=Acontplus.Persistence.PostgreSQL&version=1.1.4
#tool nuget:?package=Acontplus.Persistence.PostgreSQL&version=1.1.4
Acontplus.Persistence.PostgreSQL
PostgreSQL implementation of the Acontplus persistence layer. Provides optimized Entity Framework Core integration, ADO.NET repositories, and PostgreSQL-specific features for high-performance data access.
Note: This package implements the abstractions defined in Acontplus.Persistence.Common. For general persistence patterns and repository interfaces, see the common package.
🚀 PostgreSQL-Specific Features
- PostgreSQL Optimization - LIMIT-OFFSET pagination, parallel queries, and connection pooling
- Advanced Error Translation - PostgreSQL error code mapping to domain exceptions with retry policies
- High-Performance ADO.NET - Direct database access with 100,000+ records/sec COPY operations
- COPY Command Integration - Optimized bulk inserts with NpgsqlBinaryImporter
- Streaming Queries - Memory-efficient
IAsyncEnumerable<T>for large datasets - JSON/JSONB Support - Native JSON operations and indexing
- Array Types - PostgreSQL array type handling and operations
- Full-Text Search - PostgreSQL full-text search integration
- SQL Injection Prevention - Regex validation and keyword blacklisting for dynamic queries
- Performance Monitoring - Query execution statistics and performance insights
📦 Installation
NuGet Package Manager
Install-Package Acontplus.Persistence.PostgreSQL
.NET CLI
dotnet add package Acontplus.Persistence.PostgreSQL
PackageReference
<ItemGroup>
<PackageReference Include="Acontplus.Persistence.PostgreSQL" Version="1.0.10" />
<PackageReference Include="Acontplus.Persistence.Common" Version="1.1.13" />
</ItemGroup>
🎯 Quick Start
1. Configure PostgreSQL Context
services.AddDbContext<BaseContext>(options =>
options.UseNpgsql(connectionString, npgsqlOptions =>
{
npgsqlOptions.EnableRetryOnFailure(3, TimeSpan.FromSeconds(30), null);
npgsqlOptions.CommandTimeout(60);
}));
// Register repositories
services.AddScoped(typeof(IRepository<>), typeof(BaseRepository<>));
services.AddScoped<IAdoRepository, AdoRepository>();
2. Entity Framework Repository Pattern
public class UserService
{
private readonly IRepository<User> _userRepository;
public UserService(IRepository<User> userRepository)
{
_userRepository = userRepository;
}
public async Task<Result<User>> GetUserByIdAsync(int id)
{
var user = await _userRepository.GetByIdAsync(id);
return user != null
? Result<User>.Success(user)
: Result<User>.Failure(DomainError.NotFound("USER_NOT_FOUND", $"User {id} not found"));
}
}
3. High-Performance ADO.NET Operations
Scalar Queries
public class OrderService
{
private readonly IAdoRepository _adoRepository;
public OrderService(IAdoRepository adoRepository)
{
_adoRepository = adoRepository;
}
// Get total count
public async Task<int> GetTotalOrdersAsync()
{
return await _adoRepository.CountAsync("SELECT COUNT(*) FROM orders WHERE is_deleted = false");
}
// Check existence
public async Task<bool> OrderExistsAsync(int orderId)
{
var sql = "SELECT COUNT(*) FROM orders WHERE id = @OrderId AND is_deleted = false";
var parameters = new Dictionary<string, object> { ["@OrderId"] = orderId };
return await _adoRepository.ExistsAsync(sql, parameters);
}
// Get single value
public async Task<decimal> GetTotalRevenueAsync()
{
var sql = "SELECT SUM(total_amount) FROM orders WHERE status = 'Completed'";
return await _adoRepository.ExecuteScalarAsync<decimal>(sql) ?? 0;
}
}
Pagination with Security
// Using PaginationDto from Acontplus.Core
public async Task<PagedResult<Order>> GetPagedOrdersAsync(PaginationDto pagination)
{
var baseSql = @"
SELECT id, order_number, customer_id, total_amount, status, created_at
FROM orders
WHERE is_deleted = false";
// Automatic LIMIT-OFFSET with SQL injection prevention
return await _adoRepository.GetPagedAsync<Order>(baseSql, pagination);
}
// Complex pagination with filters
public async Task<PagedResult<Order>> GetPagedOrdersByStatusAsync(
PaginationDto pagination,
string status)
{
var sql = @"
SELECT o.id, o.order_number, c.customer_name, o.total_amount, o.status, o.created_at
FROM orders o
INNER JOIN customers c ON o.customer_id = c.id
WHERE o.status = @Status AND o.is_deleted = false";
var parameters = new Dictionary<string, object> { ["@Status"] = status };
return await _adoRepository.GetPagedAsync<Order>(sql, pagination, parameters);
}
// Stored procedure/function pagination with OUTPUT parameter
public async Task<PagedResult<User>> GetPagedUsersFromFunctionAsync(
PaginationDto pagination,
string emailDomain)
{
var parameters = new Dictionary<string, object>
{
["@EmailDomain"] = emailDomain
};
return await _adoRepository.GetPagedFromStoredProcedureAsync<User>(
"get_paged_users",
pagination,
parameters);
}
Bulk Operations (100,000+ records/sec with COPY)
// PostgreSQL COPY command with DataTable
public async Task<int> BulkInsertOrdersAsync(List<Order> orders)
{
var dataTable = new DataTable();
dataTable.Columns.Add("order_number", typeof(string));
dataTable.Columns.Add("customer_id", typeof(int));
dataTable.Columns.Add("total_amount", typeof(decimal));
dataTable.Columns.Add("status", typeof(string));
dataTable.Columns.Add("created_at", typeof(DateTime));
foreach (var order in orders)
{
dataTable.Rows.Add(
order.OrderNumber,
order.CustomerId,
order.TotalAmount,
order.Status,
order.CreatedAt);
}
// Uses NpgsqlBinaryImporter (COPY) internally
return await _adoRepository.BulkInsertAsync(dataTable, "orders");
}
// Bulk insert with entity collection
public async Task<int> BulkInsertProductsAsync(IEnumerable<Product> products)
{
var columnMappings = new Dictionary<string, string>
{
["ProductCode"] = "product_code",
["ProductName"] = "product_name",
["UnitPrice"] = "unit_price"
};
return await _adoRepository.BulkInsertAsync(
products,
"products",
columnMappings,
batchSize: 50000);
}
Streaming Large Datasets
// Memory-efficient CSV export with IAsyncEnumerable
public async Task ExportOrdersToCsvAsync(StreamWriter writer)
{
var sql = "SELECT id, order_number, total_amount, status FROM orders WHERE is_deleted = false";
await writer.WriteLineAsync("Id,OrderNumber,TotalAmount,Status");
await foreach (var order in _adoRepository.QueryAsyncEnumerable<Order>(sql))
{
await writer.WriteLineAsync($"{order.Id},{order.OrderNumber},{order.TotalAmount},{order.Status}");
}
}
// Process large datasets in batches
public async Task ProcessLargeOrderBatchAsync()
{
var sql = "SELECT * FROM orders WHERE processed_date IS NULL";
var batch = new List<Order>();
const int batchSize = 1000;
await foreach (var order in _adoRepository.QueryAsyncEnumerable<Order>(sql))
{
batch.Add(order);
if (batch.Count >= batchSize)
{
await ProcessOrderBatchAsync(batch);
batch.Clear();
}
}
if (batch.Any())
await ProcessOrderBatchAsync(batch);
}
Batch and Multi-Result Queries
// Execute multiple commands in one transaction
public async Task<int> ExecuteBatchUpdatesAsync(List<int> orderIds)
{
var commands = orderIds.Select(id => (
Sql: "UPDATE orders SET status = @Status WHERE id = @OrderId",
Parameters: new Dictionary<string, object>
{
["@OrderId"] = id,
["@Status"] = "Processed"
}
));
return await _adoRepository.ExecuteBatchNonQueryAsync(commands);
}
// Get multiple datasets in one round-trip
public async Task<List<List<dynamic>>> GetDashboardDataAsync()
{
var sql = @"
SELECT COUNT(*) AS total_orders FROM orders;
SELECT SUM(total_amount) AS total_revenue FROM orders WHERE status = 'Completed';
SELECT * FROM orders ORDER BY created_at DESC LIMIT 5;";
return await _adoRepository.QueryMultipleAsync<dynamic>(sql);
}
4. Advanced EF Core Query Operations
// Complex queries with PostgreSQL optimizations
public async Task<IReadOnlyList<OrderSummary>> GetOrderSummariesAsync(
DateTime startDate,
CancellationToken ct = default)
{
var queryExpression = (IQueryable<Order> q) => q
.Where(o => o.CreatedAt >= startDate)
.Join(_context.Set<Customer>(),
order => order.CustomerId,
customer => customer.Id,
(order, customer) => new { Order = order, Customer = customer })
.Select(x => new OrderSummary
{
OrderId = x.Order.Id,
CustomerName = $"{x.Customer.FirstName} {x.Customer.LastName}",
TotalAmount = x.Order.TotalAmount,
Status = x.Order.Status
});
return await _orderRepository.ExecuteQueryToListAsync(queryExpression, ct);
}
🔧 PostgreSQL Configuration
Connection String Best Practices
{
"ConnectionStrings": {
"DefaultConnection": "Host=localhost;Database=MyApp;Username=myuser;Password=mypass;SSL Mode=Require;Trust Server Certificate=true;"
}
}
Performance Tuning
services.AddDbContext<BaseContext>(options =>
{
options.UseNpgsql(connectionString, npgsqlOptions =>
{
// Connection resilience
npgsqlOptions.EnableRetryOnFailure(
maxRetryCount: 5,
maxRetryDelay: TimeSpan.FromSeconds(30),
errorCodesToAdd: null);
// Performance settings
npgsqlOptions.CommandTimeout(60);
npgsqlOptions.UseQuerySplittingBehavior(QuerySplittingBehavior.SplitQuery);
});
// Additional performance options
options.UseQueryTrackingBehavior(QueryTrackingBehavior.NoTracking);
options.EnableSensitiveDataLogging(false);
});
📚 PostgreSQL API Reference
Entity Framework Repositories
BaseContext- Optimized EF Core context for PostgreSQLIRepository<TEntity>- Generic repository pattern with change trackingBaseRepository<TEntity>- EF Core implementation with query optimization
ADO.NET High-Performance Repositories
IAdoRepository- Interface for direct ADO.NET operationsAdoRepository- PostgreSQL-optimized implementation with:- Scalar Queries:
ExecuteScalarAsync<T>,ExistsAsync,CountAsync,LongCountAsync - Pagination:
GetPagedAsync<T>with LIMIT-OFFSET optimization - Bulk Operations:
BulkInsertAsyncusing PostgreSQL COPY (100,000+ records/sec) - Streaming:
QueryAsyncEnumerable<T>for memory-efficient processing - Batch Operations:
ExecuteBatchNonQueryAsync,QueryMultipleAsync<T> - Functions/Procedures:
GetPagedFromStoredProcedureAsync<T>with OUTPUT parameters
- Scalar Queries:
Security & Error Handling
PostgreSqlExceptionHandler- Maps PostgreSQL error codes to domain exceptionsValidateAndSanitizeSortColumn- SQL injection prevention (regex^[a-zA-Z0-9_\.]+$+ keyword blacklist)AsyncRetryPolicy- Polly integration with 3 retries and exponential backoff
PostgreSQL-Specific Features
DbDataReaderMapper- Fast mapping from DbDataReader to entities/DTOsNpgsqlBinaryImporter- Ultra-fast bulk insert with COPY commandCommandParameterBuilder- Type-safe parameter builderPaginationMetadataKeys- Standardized metadata constantsJsonOperations- JSON/JSONB query and manipulation utilitiesFullTextSearch- PostgreSQL full-text search integration
🔐 Security Features
SQL Injection Prevention
// Automatic validation of sort columns
var pagination = new PaginationDto
{
SortBy = "username", // Validated with regex ^[a-zA-Z0-9_\.]+$
SortDirection = SortDirection.ASC
};
// Blacklisted keywords: DROP, DELETE, EXEC, ALTER, TRUNCATE, etc.
// Throws SecurityException if invalid
Metadata Exposure Control
// PaginationMetadataOptions controls what metadata is exposed
services.Configure<PaginationMetadataOptions>(options =>
{
options.IncludeQuerySource = false; // Hide internal query details in production
options.IncludeDebugInfo = builder.Environment.IsDevelopment();
});
⚡ Performance Benchmarks
| Operation | EF Core | ADO.NET (COPY) | Performance Gain |
|---|---|---|---|
| Simple Query (1,000 rows) | 48ms | 14ms | 3.43x faster |
| Pagination (10,000 rows) | 195ms | 42ms | 4.64x faster |
| Bulk Insert (10,000 rows) | 9,200ms | 320ms | 28.75x faster |
| Bulk Insert (100,000 rows) | 98,000ms | 2,800ms | 35x faster |
| Streaming Export (1M rows) | OutOfMemory | 3.8s | Memory efficient |
Note: PostgreSQL COPY command significantly outperforms SqlBulkCopy for bulk operations
When to Use Each Approach
Use EF Core (IRepository<T>) when:
- ✅ Complex object graphs with navigation properties
- ✅ Change tracking is needed
- ✅ LINQ query composition
- ✅ Standard CRUD operations
- ✅ Developer productivity is priority
- ✅ JSON/JSONB operations with entity mapping
Use ADO.NET (IAdoRepository) when:
- ✅ High-volume bulk operations (50,000+ records)
- ✅ Simple DTOs or read-only queries
- ✅ Custom SQL optimization required
- ✅ Memory-efficient streaming (millions of rows)
- ✅ Maximum performance is critical
- ✅ PostgreSQL functions with complex logic
- ✅ Direct COPY command usage
🤝 Contributing
We welcome contributions! Please see our Contributing Guidelines for details.
Development Setup
git clone https://github.com/acontplus/acontplus-dotnet-libs.git
cd acontplus-dotnet-libs
dotnet restore
dotnet build
📄 License
This project is licensed under the MIT License - see the LICENSE file for details.
🆘 Support
- 📧 Email: proyectos@acontplus.com
- 🐛 Issues: GitHub Issues
- 📖 Documentation: Wiki
👨💻 Author
Ivan Paz - @iferpaz7
🏢 Company
Acontplus - Software solutions
Built with ❤️ for the .NET community
| Product | Versions Compatible and additional computed target framework versions. |
|---|---|
| .NET | net9.0 is compatible. net9.0-android was computed. net9.0-browser was computed. net9.0-ios was computed. net9.0-maccatalyst was computed. net9.0-macos was computed. net9.0-tvos was computed. net9.0-windows was computed. net10.0 was computed. net10.0-android was computed. net10.0-browser was computed. net10.0-ios was computed. net10.0-maccatalyst was computed. net10.0-macos was computed. net10.0-tvos was computed. net10.0-windows was computed. |
-
net9.0
- Acontplus.Core (>= 1.5.11)
- Acontplus.Persistence.Common (>= 1.1.17)
- Microsoft.EntityFrameworkCore (>= 9.0.10)
- Microsoft.Extensions.Caching.Memory (>= 9.0.10)
- Microsoft.Extensions.Configuration.Abstractions (>= 9.0.10)
- Microsoft.Extensions.DependencyInjection (>= 9.0.10)
- Microsoft.Extensions.DependencyInjection.Abstractions (>= 9.0.10)
- Microsoft.Extensions.Logging.Abstractions (>= 9.0.10)
- Microsoft.Extensions.Options (>= 9.0.10)
- Npgsql (>= 9.0.4)
- Npgsql.EntityFrameworkCore.PostgreSQL (>= 9.0.4)
- Polly (>= 8.6.4)
NuGet packages
This package is not used by any NuGet packages.
GitHub repositories
This package is not used by any popular GitHub repositories.
| Version | Downloads | Last Updated |
|---|---|---|
| 1.1.4 | 63 | 11/6/2025 |
| 1.1.3 | 65 | 11/6/2025 |
| 1.1.2 | 61 | 11/6/2025 |
| 1.1.1 | 70 | 11/5/2025 |
| 1.1.0 | 81 | 11/5/2025 |
| 1.0.12 | 168 | 10/23/2025 |
| 1.0.11 | 150 | 9/26/2025 |
| 1.0.10 | 168 | 9/25/2025 |
| 1.0.9 | 164 | 9/24/2025 |
| 1.0.8 | 223 | 9/14/2025 |
| 1.0.7 | 220 | 9/14/2025 |
| 1.0.6 | 227 | 9/14/2025 |
| 1.0.5 | 179 | 9/10/2025 |
| 1.0.4 | 164 | 9/9/2025 |
| 1.0.3 | 198 | 8/24/2025 |
| 1.0.2 | 163 | 8/21/2025 |
| 1.0.1 | 160 | 8/19/2025 |
| 1.0.0 | 172 | 8/12/2025 |
Enhanced with contemporary repository patterns, Entity Framework Core integration, Npgsql support, advanced error handling, connection resilience with Polly, and enterprise-ready PostgreSQL data access patterns.