合并代码
This commit is contained in:
commit
3c6a04f947
@ -1,156 +0,0 @@
|
|||||||
using System.Collections.Concurrent;
|
|
||||||
using Cassandra;
|
|
||||||
using Cassandra.Mapping;
|
|
||||||
using Microsoft.Extensions.Caching.Memory;
|
|
||||||
using Microsoft.Extensions.Logging;
|
|
||||||
|
|
||||||
namespace JiShe.CollectBus.Cassandra
|
|
||||||
{
|
|
||||||
public class CassandraQueryOptimizer
|
|
||||||
{
|
|
||||||
private readonly ISession _session;
|
|
||||||
private readonly ILogger<CassandraQueryOptimizer> _logger;
|
|
||||||
private readonly IMemoryCache _cache;
|
|
||||||
private readonly ConcurrentDictionary<string, PreparedStatement> _preparedStatements;
|
|
||||||
private readonly int _batchSize;
|
|
||||||
private readonly TimeSpan _cacheExpiration;
|
|
||||||
|
|
||||||
public CassandraQueryOptimizer(
|
|
||||||
ISession session,
|
|
||||||
ILogger<CassandraQueryOptimizer> logger,
|
|
||||||
IMemoryCache cache,
|
|
||||||
int batchSize = 100,
|
|
||||||
TimeSpan? cacheExpiration = null)
|
|
||||||
{
|
|
||||||
_session = session;
|
|
||||||
_logger = logger;
|
|
||||||
_cache = cache;
|
|
||||||
_preparedStatements = new ConcurrentDictionary<string, PreparedStatement>();
|
|
||||||
_batchSize = batchSize;
|
|
||||||
_cacheExpiration = cacheExpiration ?? TimeSpan.FromMinutes(5);
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<PreparedStatement> GetOrPrepareStatementAsync(string cql)
|
|
||||||
{
|
|
||||||
return _preparedStatements.GetOrAdd(cql, key =>
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
var statement = _session.Prepare(key);
|
|
||||||
_logger.LogDebug($"Prepared statement for CQL: {key}");
|
|
||||||
return statement;
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
_logger.LogError(ex, $"Failed to prepare statement for CQL: {key}");
|
|
||||||
throw;
|
|
||||||
}
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task ExecuteBatchAsync(IEnumerable<BoundStatement> statements)
|
|
||||||
{
|
|
||||||
var batch = new BatchStatement();
|
|
||||||
var count = 0;
|
|
||||||
|
|
||||||
foreach (var statement in statements)
|
|
||||||
{
|
|
||||||
batch.Add(statement);
|
|
||||||
count++;
|
|
||||||
|
|
||||||
if (count >= _batchSize)
|
|
||||||
{
|
|
||||||
await ExecuteBatchAsync(batch);
|
|
||||||
batch = new BatchStatement();
|
|
||||||
count = 0;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (count > 0)
|
|
||||||
{
|
|
||||||
await ExecuteBatchAsync(batch);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private async Task ExecuteBatchAsync(BatchStatement batch)
|
|
||||||
{
|
|
||||||
try
|
|
||||||
{
|
|
||||||
await _session.ExecuteAsync(batch);
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
_logger.LogError(ex, "Failed to execute batch statement");
|
|
||||||
throw;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<T> GetOrSetFromCacheAsync<T>(string cacheKey, Func<Task<T>> getData)
|
|
||||||
{
|
|
||||||
if (_cache.TryGetValue(cacheKey, out T cachedValue))
|
|
||||||
{
|
|
||||||
_logger.LogDebug($"Cache hit for key: {cacheKey}");
|
|
||||||
return cachedValue;
|
|
||||||
}
|
|
||||||
|
|
||||||
var data = await getData();
|
|
||||||
_cache.Set(cacheKey, data, _cacheExpiration);
|
|
||||||
_logger.LogDebug($"Cache miss for key: {cacheKey}, data cached");
|
|
||||||
return data;
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task<IEnumerable<T>> ExecutePagedQueryAsync<T>(
|
|
||||||
string cql,
|
|
||||||
object[] parameters,
|
|
||||||
int pageSize = 100,
|
|
||||||
string pagingState = null) where T : class
|
|
||||||
{
|
|
||||||
var statement = await GetOrPrepareStatementAsync(cql);
|
|
||||||
var boundStatement = statement.Bind(parameters);
|
|
||||||
|
|
||||||
if (!string.IsNullOrEmpty(pagingState))
|
|
||||||
{
|
|
||||||
boundStatement.SetPagingState(Convert.FromBase64String(pagingState));
|
|
||||||
}
|
|
||||||
|
|
||||||
boundStatement.SetPageSize(pageSize);
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
var result = await _session.ExecuteAsync(boundStatement);
|
|
||||||
//TODO: RETURN OBJECT
|
|
||||||
throw new NotImplementedException();
|
|
||||||
//result.GetRows()
|
|
||||||
//return result.Select(row => row);
|
|
||||||
}
|
|
||||||
catch (Exception ex)
|
|
||||||
{
|
|
||||||
_logger.LogError(ex, $"Failed to execute paged query: {cql}");
|
|
||||||
throw;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public async Task BulkInsertAsync<T>(IEnumerable<T> items, string tableName)
|
|
||||||
{
|
|
||||||
var mapper = new Mapper(_session);
|
|
||||||
var batch = new List<BoundStatement>();
|
|
||||||
var cql = $"INSERT INTO {tableName} ({{0}}) VALUES ({{1}})";
|
|
||||||
|
|
||||||
foreach (var chunk in items.Chunk(_batchSize))
|
|
||||||
{
|
|
||||||
var statements = chunk.Select(item =>
|
|
||||||
{
|
|
||||||
var props = typeof(T).GetProperties();
|
|
||||||
var columns = string.Join(", ", props.Select(p => p.Name));
|
|
||||||
var values = string.Join(", ", props.Select(p => "?"));
|
|
||||||
var statement = _session.Prepare(string.Format(cql, columns, values));
|
|
||||||
return statement.Bind(props.Select(p => p.GetValue(item)).ToArray());
|
|
||||||
});
|
|
||||||
|
|
||||||
batch.AddRange(statements);
|
|
||||||
}
|
|
||||||
|
|
||||||
await ExecuteBatchAsync(batch);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
@ -1,19 +1,13 @@
|
|||||||
using Cassandra;
|
using System.Linq.Expressions;
|
||||||
using Cassandra.Data.Linq;
|
|
||||||
using Cassandra.Mapping;
|
using Cassandra.Mapping;
|
||||||
using JiShe.CollectBus.Cassandra.Extensions;
|
using JiShe.CollectBus.Cassandra.Extensions;
|
||||||
using JiShe.CollectBus.Common.Attributes;
|
|
||||||
using Microsoft.AspNetCore.Http;
|
|
||||||
using System.Reflection;
|
|
||||||
using Thrift.Protocol.Entities;
|
|
||||||
using Volo.Abp.Domain.Entities;
|
using Volo.Abp.Domain.Entities;
|
||||||
using Volo.Abp.Domain.Repositories;
|
|
||||||
|
|
||||||
namespace JiShe.CollectBus.Cassandra
|
namespace JiShe.CollectBus.Cassandra
|
||||||
{
|
{
|
||||||
public class CassandraRepository<TEntity, TKey>
|
public class CassandraRepository<TEntity, TKey>
|
||||||
: ICassandraRepository<TEntity, TKey>
|
: ICassandraRepository<TEntity, TKey>
|
||||||
where TEntity : class
|
where TEntity : class, ICassandraEntity<TKey>
|
||||||
{
|
{
|
||||||
private readonly ICassandraProvider _cassandraProvider;
|
private readonly ICassandraProvider _cassandraProvider;
|
||||||
public CassandraRepository(ICassandraProvider cassandraProvider, MappingConfiguration mappingConfig)
|
public CassandraRepository(ICassandraProvider cassandraProvider, MappingConfiguration mappingConfig)
|
||||||
@ -27,12 +21,29 @@ namespace JiShe.CollectBus.Cassandra
|
|||||||
|
|
||||||
public virtual async Task<TEntity> GetAsync(TKey id)
|
public virtual async Task<TEntity> GetAsync(TKey id)
|
||||||
{
|
{
|
||||||
return await Mapper.SingleOrDefaultAsync<TEntity>("WHERE id = ?", id);
|
return await GetAsync("WHERE id = ?", id);
|
||||||
}
|
}
|
||||||
|
|
||||||
public virtual async Task<List<TEntity>> GetListAsync()
|
public virtual async Task<TEntity?> GetAsync(string cql, params object[] args)
|
||||||
{
|
{
|
||||||
return (await Mapper.FetchAsync<TEntity>()).ToList();
|
return await Mapper.SingleAsync<TEntity?>(cql, args);
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
public virtual async Task<TEntity> FirstOrDefaultAsync(TKey id)
|
||||||
|
{
|
||||||
|
return await FirstOrDefaultAsync("WHERE id = ?", id);
|
||||||
|
}
|
||||||
|
|
||||||
|
public virtual async Task<TEntity?> FirstOrDefaultAsync(string cql, params object[] args)
|
||||||
|
{
|
||||||
|
return await Mapper.FirstOrDefaultAsync<TEntity>(cql, args);
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
public virtual async Task<List<TEntity>?> GetListAsync(string? cql = null, params object[] args)
|
||||||
|
{
|
||||||
|
return cql.IsNullOrWhiteSpace() ? (await Mapper.FetchAsync<TEntity>()).ToList() : (await Mapper.FetchAsync<TEntity>(cql, args)).ToList();
|
||||||
}
|
}
|
||||||
|
|
||||||
public virtual async Task<TEntity> InsertAsync(TEntity entity)
|
public virtual async Task<TEntity> InsertAsync(TEntity entity)
|
||||||
|
|||||||
@ -1,7 +1,4 @@
|
|||||||
using Cassandra;
|
using Microsoft.Extensions.DependencyInjection;
|
||||||
using Cassandra.Mapping;
|
|
||||||
using JiShe.CollectBus.Cassandra.Mappers;
|
|
||||||
using Microsoft.Extensions.DependencyInjection;
|
|
||||||
using Volo.Abp;
|
using Volo.Abp;
|
||||||
using Volo.Abp.Autofac;
|
using Volo.Abp.Autofac;
|
||||||
using Volo.Abp.Modularity;
|
using Volo.Abp.Modularity;
|
||||||
|
|||||||
@ -1,10 +1,4 @@
|
|||||||
using Autofac.Core;
|
using JiShe.CollectBus.Cassandra;
|
||||||
using Cassandra;
|
|
||||||
using Cassandra.Mapping;
|
|
||||||
using JiShe.CollectBus.Cassandra;
|
|
||||||
using JiShe.CollectBus.Cassandra.Mappers;
|
|
||||||
using Microsoft.Extensions.Options;
|
|
||||||
using System.Reflection;
|
|
||||||
using Volo.Abp;
|
using Volo.Abp;
|
||||||
using Volo.Abp.Modularity;
|
using Volo.Abp.Modularity;
|
||||||
|
|
||||||
@ -26,8 +20,6 @@ namespace Microsoft.Extensions.DependencyInjection
|
|||||||
public static void AddCassandra(this ServiceConfigurationContext context)
|
public static void AddCassandra(this ServiceConfigurationContext context)
|
||||||
{
|
{
|
||||||
context.Services.AddTransient(typeof(ICassandraRepository<,>), typeof(CassandraRepository<,>));
|
context.Services.AddTransient(typeof(ICassandraRepository<,>), typeof(CassandraRepository<,>));
|
||||||
context.Services.AddSingleton(new MappingConfiguration()
|
|
||||||
.Define(new CollectBusMapping()));
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@ -3,9 +3,7 @@ using System.Text;
|
|||||||
using Cassandra;
|
using Cassandra;
|
||||||
using System.ComponentModel.DataAnnotations;
|
using System.ComponentModel.DataAnnotations;
|
||||||
using JiShe.CollectBus.Common.Attributes;
|
using JiShe.CollectBus.Common.Attributes;
|
||||||
using Cassandra.Mapping;
|
using Volo.Abp.Data;
|
||||||
using Cassandra.Data.Linq;
|
|
||||||
using Thrift.Protocol.Entities;
|
|
||||||
|
|
||||||
namespace JiShe.CollectBus.Cassandra.Extensions
|
namespace JiShe.CollectBus.Cassandra.Extensions
|
||||||
{
|
{
|
||||||
@ -16,17 +14,26 @@ namespace JiShe.CollectBus.Cassandra.Extensions
|
|||||||
var type = typeof(TEntity);
|
var type = typeof(TEntity);
|
||||||
var tableAttribute = type.GetCustomAttribute<CassandraTableAttribute>();
|
var tableAttribute = type.GetCustomAttribute<CassandraTableAttribute>();
|
||||||
var tableName = tableAttribute?.Name ?? type.Name.ToLower();
|
var tableName = tableAttribute?.Name ?? type.Name.ToLower();
|
||||||
//var tableKeyspace = tableAttribute?.Keyspace ?? defaultKeyspace;
|
|
||||||
var tableKeyspace = session.Keyspace;
|
var tableKeyspace = session.Keyspace;
|
||||||
|
|
||||||
var properties = type.GetProperties();
|
var properties = type.GetProperties();
|
||||||
var primaryKey = properties.FirstOrDefault(p => p.GetCustomAttribute<KeyAttribute>() != null);
|
|
||||||
|
// 分区键设置
|
||||||
|
var primaryKey = properties.FirstOrDefault(p => p.GetCustomAttribute<PartitionKeyAttribute>() != null);
|
||||||
|
|
||||||
if (primaryKey == null)
|
if (primaryKey == null)
|
||||||
{
|
{
|
||||||
throw new InvalidOperationException($"No primary key defined for type {type.Name}");
|
throw new InvalidOperationException($"No primary key defined for type {type.Name}");
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// 集群键设置
|
||||||
|
var clusteringKeys = properties.Where(p => p.GetCustomAttribute<ClusteringKeyAttribute>() != null).Select(a=>a.Name).ToList();
|
||||||
|
var clusteringKeyCql = string.Empty;
|
||||||
|
if (clusteringKeys.Any())
|
||||||
|
{
|
||||||
|
clusteringKeyCql = $", {string.Join(", ", clusteringKeys)}";
|
||||||
|
}
|
||||||
|
|
||||||
var cql = new StringBuilder();
|
var cql = new StringBuilder();
|
||||||
cql.Append($"CREATE TABLE IF NOT EXISTS {tableKeyspace}.{tableName} (");
|
cql.Append($"CREATE TABLE IF NOT EXISTS {tableKeyspace}.{tableName} (");
|
||||||
|
|
||||||
@ -40,7 +47,7 @@ namespace JiShe.CollectBus.Cassandra.Extensions
|
|||||||
cql.Append($"{columnName} {cqlType}, ");
|
cql.Append($"{columnName} {cqlType}, ");
|
||||||
}
|
}
|
||||||
cql.Length -= 2; // Remove last comma and space
|
cql.Length -= 2; // Remove last comma and space
|
||||||
cql.Append($", PRIMARY KEY ({primaryKey.Name.ToLower()}))");
|
cql.Append($", PRIMARY KEY (({primaryKey.Name.ToLower()}){clusteringKeyCql}))");
|
||||||
|
|
||||||
session.Execute(cql.ToString());
|
session.Execute(cql.ToString());
|
||||||
}
|
}
|
||||||
@ -61,6 +68,7 @@ namespace JiShe.CollectBus.Cassandra.Extensions
|
|||||||
if (type == typeof(Guid)) return "uuid";
|
if (type == typeof(Guid)) return "uuid";
|
||||||
if (type == typeof(DateTimeOffset)) return "timestamp";
|
if (type == typeof(DateTimeOffset)) return "timestamp";
|
||||||
if (type == typeof(Byte[])) return "blob";
|
if (type == typeof(Byte[])) return "blob";
|
||||||
|
if (type == typeof(ExtraPropertyDictionary)) return "map<text,text>";
|
||||||
|
|
||||||
// 处理集合类型
|
// 处理集合类型
|
||||||
if (type.IsGenericType)
|
if (type.IsGenericType)
|
||||||
@ -72,6 +80,8 @@ namespace JiShe.CollectBus.Cassandra.Extensions
|
|||||||
return $"list<{GetCassandraType(elementType)}>";
|
return $"list<{GetCassandraType(elementType)}>";
|
||||||
if (genericType == typeof(HashSet<>))
|
if (genericType == typeof(HashSet<>))
|
||||||
return $"set<{GetCassandraType(elementType)}>";
|
return $"set<{GetCassandraType(elementType)}>";
|
||||||
|
if (genericType == typeof(Nullable<>))
|
||||||
|
return GetCassandraType(elementType);
|
||||||
if (genericType == typeof(Dictionary<,>))
|
if (genericType == typeof(Dictionary<,>))
|
||||||
{
|
{
|
||||||
var keyType = type.GetGenericArguments()[0];
|
var keyType = type.GetGenericArguments()[0];
|
||||||
|
|||||||
@ -10,7 +10,10 @@ namespace JiShe.CollectBus.Cassandra
|
|||||||
public interface ICassandraRepository<TEntity, TKey> where TEntity : class
|
public interface ICassandraRepository<TEntity, TKey> where TEntity : class
|
||||||
{
|
{
|
||||||
Task<TEntity> GetAsync(TKey id);
|
Task<TEntity> GetAsync(TKey id);
|
||||||
Task<List<TEntity>> GetListAsync();
|
Task<TEntity?> GetAsync(string cql, params object[] args);
|
||||||
|
Task<TEntity> FirstOrDefaultAsync(TKey id);
|
||||||
|
Task<TEntity?> FirstOrDefaultAsync(string cql, params object[] args);
|
||||||
|
Task<List<TEntity>?> GetListAsync(string? cql = null, params object[] args);
|
||||||
Task<TEntity> InsertAsync(TEntity entity);
|
Task<TEntity> InsertAsync(TEntity entity);
|
||||||
Task<TEntity> UpdateAsync(TEntity entity);
|
Task<TEntity> UpdateAsync(TEntity entity);
|
||||||
Task DeleteAsync(TEntity entity);
|
Task DeleteAsync(TEntity entity);
|
||||||
|
|||||||
@ -15,8 +15,8 @@
|
|||||||
</ItemGroup>
|
</ItemGroup>
|
||||||
|
|
||||||
<ItemGroup>
|
<ItemGroup>
|
||||||
<ProjectReference Include="..\..\services\JiShe.CollectBus.Domain\JiShe.CollectBus.Domain.csproj" />
|
|
||||||
<ProjectReference Include="..\..\shared\JiShe.CollectBus.Common\JiShe.CollectBus.Common.csproj" />
|
<ProjectReference Include="..\..\shared\JiShe.CollectBus.Common\JiShe.CollectBus.Common.csproj" />
|
||||||
|
<ProjectReference Include="..\..\shared\JiShe.CollectBus.Domain.Shared\JiShe.CollectBus.Domain.Shared.csproj" />
|
||||||
</ItemGroup>
|
</ItemGroup>
|
||||||
|
|
||||||
</Project>
|
</Project>
|
||||||
|
|||||||
@ -1,33 +1,22 @@
|
|||||||
using JiShe.CollectBus.IoTDB.Context;
|
using JiShe.CollectBus.IoTDB.Context;
|
||||||
using JiShe.CollectBus.IoTDB.Interface;
|
|
||||||
using JiShe.CollectBus.IoTDB.Options;
|
using JiShe.CollectBus.IoTDB.Options;
|
||||||
using JiShe.CollectBus.IoTDB.Provider;
|
|
||||||
using Microsoft.Extensions.Configuration;
|
using Microsoft.Extensions.Configuration;
|
||||||
using Microsoft.Extensions.DependencyInjection;
|
using Microsoft.Extensions.DependencyInjection;
|
||||||
using Volo.Abp.Modularity;
|
using Volo.Abp.Modularity;
|
||||||
|
|
||||||
namespace JiShe.CollectBus.IoTDB
|
namespace JiShe.CollectBus.IoTDB;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// CollectBusIoTDBModule
|
||||||
|
/// </summary>
|
||||||
|
public class CollectBusIoTDbModule : AbpModule
|
||||||
{
|
{
|
||||||
public class CollectBusIoTDBModule : AbpModule
|
public override void ConfigureServices(ServiceConfigurationContext context)
|
||||||
{
|
{
|
||||||
public override void ConfigureServices(ServiceConfigurationContext context)
|
var configuration = context.Services.GetConfiguration();
|
||||||
{
|
Configure<IoTDbOptions>(options => { configuration.GetSection(nameof(IoTDbOptions)).Bind(options); });
|
||||||
|
|
||||||
var configuration = context.Services.GetConfiguration();
|
|
||||||
Configure<IoTDBOptions>(options =>
|
|
||||||
{
|
|
||||||
configuration.GetSection(nameof(IoTDBOptions)).Bind(options);
|
|
||||||
});
|
|
||||||
|
|
||||||
// 注册上下文为Scoped
|
// 注册上下文为Scoped
|
||||||
context.Services.AddScoped<IoTDBRuntimeContext>();
|
context.Services.AddScoped<IoTDbRuntimeContext>();
|
||||||
|
|
||||||
// 注册Session工厂
|
|
||||||
context.Services.AddSingleton<IIoTDBSessionFactory, IoTDBSessionFactory>();
|
|
||||||
|
|
||||||
// 注册Provider
|
|
||||||
context.Services.AddScoped<IIoTDBProvider, IoTDBProvider>();
|
|
||||||
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -6,11 +6,11 @@ namespace JiShe.CollectBus.IoTDB.Context
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// IoTDB SessionPool 运行时上下文
|
/// IoTDB SessionPool 运行时上下文
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public class IoTDBRuntimeContext
|
public class IoTDbRuntimeContext
|
||||||
{
|
{
|
||||||
private readonly bool _defaultValue;
|
private readonly bool _defaultValue;
|
||||||
|
|
||||||
public IoTDBRuntimeContext(IOptions<IoTDBOptions> options)
|
public IoTDbRuntimeContext(IOptions<IoTDbOptions> options)
|
||||||
{
|
{
|
||||||
_defaultValue = options.Value.UseTableSessionPoolByDefault;
|
_defaultValue = options.Value.UseTableSessionPoolByDefault;
|
||||||
UseTableSessionPool = _defaultValue;
|
UseTableSessionPool = _defaultValue;
|
||||||
|
|||||||
@ -7,7 +7,7 @@ namespace JiShe.CollectBus.IoTDB.Interface
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// IoTDB数据源,数据库能同时存多个时序模型,但数据是完全隔离的,不能跨时序模型查询,通过连接字符串配置
|
/// IoTDB数据源,数据库能同时存多个时序模型,但数据是完全隔离的,不能跨时序模型查询,通过连接字符串配置
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public interface IIoTDBProvider
|
public interface IIoTDbProvider
|
||||||
{
|
{
|
||||||
///// <summary>
|
///// <summary>
|
||||||
///// 切换 SessionPool
|
///// 切换 SessionPool
|
||||||
|
|||||||
@ -3,8 +3,8 @@
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// Session 工厂接口
|
/// Session 工厂接口
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public interface IIoTDBSessionFactory:IDisposable
|
public interface IIoTDbSessionFactory:IDisposable
|
||||||
{
|
{
|
||||||
IIoTDBSessionPool GetSessionPool(bool useTableSession);
|
IIoTDbSessionPool GetSessionPool(bool useTableSession);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@ -5,7 +5,7 @@ namespace JiShe.CollectBus.IoTDB.Interface
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// Session 连接池
|
/// Session 连接池
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public interface IIoTDBSessionPool : IDisposable
|
public interface IIoTDbSessionPool : IDisposable
|
||||||
{
|
{
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 打开连接池
|
/// 打开连接池
|
||||||
|
|||||||
@ -3,7 +3,7 @@
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// IOTDB配置
|
/// IOTDB配置
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public class IoTDBOptions
|
public class IoTDbOptions
|
||||||
{
|
{
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 数据库名称,表模型才有,树模型为空
|
/// 数据库名称,表模型才有,树模型为空
|
||||||
|
|||||||
@ -17,20 +17,26 @@ namespace JiShe.CollectBus.IoTDB.Provider
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// IoTDB数据源
|
/// IoTDB数据源
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public class IoTDBProvider : IIoTDBProvider
|
public class IoTDbProvider : IIoTDbProvider, IScopedDependency
|
||||||
{
|
{
|
||||||
private static readonly ConcurrentDictionary<Type, DeviceMetadata> _metadataCache = new();
|
private static readonly ConcurrentDictionary<Type, DeviceMetadata> MetadataCache = new();
|
||||||
private readonly ILogger<IoTDBProvider> _logger;
|
private readonly ILogger<IoTDbProvider> _logger;
|
||||||
private readonly IIoTDBSessionFactory _sessionFactory;
|
private readonly IIoTDbSessionFactory _sessionFactory;
|
||||||
private readonly IoTDBRuntimeContext _runtimeContext;
|
private readonly IoTDbRuntimeContext _runtimeContext;
|
||||||
|
|
||||||
private IIoTDBSessionPool CurrentSession =>
|
private IIoTDbSessionPool CurrentSession =>
|
||||||
_sessionFactory.GetSessionPool(_runtimeContext.UseTableSessionPool);
|
_sessionFactory.GetSessionPool(_runtimeContext.UseTableSessionPool);
|
||||||
|
|
||||||
public IoTDBProvider(
|
/// <summary>
|
||||||
ILogger<IoTDBProvider> logger,
|
/// IoTDbProvider
|
||||||
IIoTDBSessionFactory sessionFactory,
|
/// </summary>
|
||||||
IoTDBRuntimeContext runtimeContext)
|
/// <param name="logger"></param>
|
||||||
|
/// <param name="sessionFactory"></param>
|
||||||
|
/// <param name="runtimeContext"></param>
|
||||||
|
public IoTDbProvider(
|
||||||
|
ILogger<IoTDbProvider> logger,
|
||||||
|
IIoTDbSessionFactory sessionFactory,
|
||||||
|
IoTDbRuntimeContext runtimeContext)
|
||||||
{
|
{
|
||||||
_logger = logger;
|
_logger = logger;
|
||||||
_sessionFactory = sessionFactory;
|
_sessionFactory = sessionFactory;
|
||||||
|
|||||||
@ -2,6 +2,7 @@
|
|||||||
using JiShe.CollectBus.IoTDB.Interface;
|
using JiShe.CollectBus.IoTDB.Interface;
|
||||||
using JiShe.CollectBus.IoTDB.Options;
|
using JiShe.CollectBus.IoTDB.Options;
|
||||||
using Microsoft.Extensions.Options;
|
using Microsoft.Extensions.Options;
|
||||||
|
using Volo.Abp.DependencyInjection;
|
||||||
|
|
||||||
namespace JiShe.CollectBus.IoTDB.Provider
|
namespace JiShe.CollectBus.IoTDB.Provider
|
||||||
{
|
{
|
||||||
@ -9,25 +10,29 @@ namespace JiShe.CollectBus.IoTDB.Provider
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// 实现带缓存的Session工厂
|
/// 实现带缓存的Session工厂
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public class IoTDBSessionFactory : IIoTDBSessionFactory
|
public class IoTDbSessionFactory : IIoTDbSessionFactory, ISingletonDependency
|
||||||
{
|
{
|
||||||
private readonly IoTDBOptions _options;
|
private readonly IoTDbOptions _options;
|
||||||
private readonly ConcurrentDictionary<bool, IIoTDBSessionPool> _pools = new();
|
private readonly ConcurrentDictionary<bool, IIoTDbSessionPool> _pools = new();
|
||||||
private bool _disposed;
|
private bool _disposed;
|
||||||
|
|
||||||
public IoTDBSessionFactory(IOptions<IoTDBOptions> options)
|
/// <summary>
|
||||||
|
/// IoTDbSessionFactory
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="options"></param>
|
||||||
|
public IoTDbSessionFactory(IOptions<IoTDbOptions> options)
|
||||||
{
|
{
|
||||||
_options = options.Value;
|
_options = options.Value;
|
||||||
}
|
}
|
||||||
|
|
||||||
public IIoTDBSessionPool GetSessionPool(bool useTableSession)
|
public IIoTDbSessionPool GetSessionPool(bool useTableSession)
|
||||||
{
|
{
|
||||||
if (_disposed) throw new ObjectDisposedException(nameof(IoTDBSessionFactory));
|
if (_disposed) throw new ObjectDisposedException(nameof(IoTDbSessionFactory));
|
||||||
|
|
||||||
return _pools.GetOrAdd(useTableSession, key =>
|
return _pools.GetOrAdd(useTableSession, key =>
|
||||||
{
|
{
|
||||||
var pool = key
|
var pool = key
|
||||||
? (IIoTDBSessionPool)new TableSessionPoolAdapter(_options)
|
? (IIoTDbSessionPool)new TableSessionPoolAdapter(_options)
|
||||||
: new SessionPoolAdapter(_options);
|
: new SessionPoolAdapter(_options);
|
||||||
|
|
||||||
pool.OpenAsync().ConfigureAwait(false).GetAwaiter().GetResult(); ;
|
pool.OpenAsync().ConfigureAwait(false).GetAwaiter().GetResult(); ;
|
||||||
|
|||||||
@ -9,12 +9,16 @@ namespace JiShe.CollectBus.IoTDB.Provider
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// 树模型连接池
|
/// 树模型连接池
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public class SessionPoolAdapter : IIoTDBSessionPool
|
public class SessionPoolAdapter : IIoTDbSessionPool
|
||||||
{
|
{
|
||||||
private readonly SessionPool _sessionPool;
|
private readonly SessionPool _sessionPool;
|
||||||
private readonly IoTDBOptions _options;
|
private readonly IoTDbOptions _options;
|
||||||
|
|
||||||
public SessionPoolAdapter(IoTDBOptions options)
|
/// <summary>
|
||||||
|
/// SessionPoolAdapter
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="options"></param>
|
||||||
|
public SessionPoolAdapter(IoTDbOptions options)
|
||||||
{
|
{
|
||||||
_options = options;
|
_options = options;
|
||||||
_sessionPool = new SessionPool.Builder()
|
_sessionPool = new SessionPool.Builder()
|
||||||
|
|||||||
@ -9,12 +9,16 @@ namespace JiShe.CollectBus.IoTDB.Provider
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// 表模型Session连接池
|
/// 表模型Session连接池
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public class TableSessionPoolAdapter : IIoTDBSessionPool
|
public class TableSessionPoolAdapter : IIoTDbSessionPool
|
||||||
{
|
{
|
||||||
private readonly TableSessionPool _sessionPool;
|
private readonly TableSessionPool _sessionPool;
|
||||||
private readonly IoTDBOptions _options;
|
private readonly IoTDbOptions _options;
|
||||||
|
|
||||||
public TableSessionPoolAdapter(IoTDBOptions options)
|
/// <summary>
|
||||||
|
/// TableSessionPoolAdapter
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="options"></param>
|
||||||
|
public TableSessionPoolAdapter(IoTDbOptions options)
|
||||||
{
|
{
|
||||||
_options = options;
|
_options = options;
|
||||||
_sessionPool = new TableSessionPool.Builder()
|
_sessionPool = new TableSessionPool.Builder()
|
||||||
|
|||||||
@ -1,204 +1,190 @@
|
|||||||
using Confluent.Kafka;
|
using Confluent.Kafka;
|
||||||
using Microsoft.Extensions.Configuration;
|
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Confluent.Kafka.Admin;
|
using Confluent.Kafka.Admin;
|
||||||
|
using Microsoft.Extensions.Configuration;
|
||||||
using Microsoft.Extensions.Logging;
|
using Microsoft.Extensions.Logging;
|
||||||
using Volo.Abp.DependencyInjection;
|
using Volo.Abp.DependencyInjection;
|
||||||
|
|
||||||
namespace JiShe.CollectBus.Kafka.AdminClient
|
namespace JiShe.CollectBus.Kafka.AdminClient;
|
||||||
|
|
||||||
|
public class AdminClientService : IAdminClientService, IDisposable, ISingletonDependency
|
||||||
{
|
{
|
||||||
public class AdminClientService : IAdminClientService, IDisposable,ISingletonDependency
|
private readonly ILogger<AdminClientService> _logger;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// Initializes a new instance of the <see cref="AdminClientService" /> class.
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="configuration"></param>
|
||||||
|
/// <param name="logger"></param>
|
||||||
|
public AdminClientService(IConfiguration configuration, ILogger<AdminClientService> logger)
|
||||||
{
|
{
|
||||||
|
_logger = logger;
|
||||||
|
Instance = GetInstance(configuration);
|
||||||
|
}
|
||||||
|
|
||||||
private readonly ILogger<AdminClientService> _logger;
|
/// <summary>
|
||||||
|
/// Gets or sets the instance.
|
||||||
|
/// </summary>
|
||||||
|
/// <value>
|
||||||
|
/// The instance.
|
||||||
|
/// </value>
|
||||||
|
public IAdminClient Instance { get; set; }
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Initializes a new instance of the <see cref="AdminClientService"/> class.
|
/// 创建Kafka主题
|
||||||
/// </summary>
|
/// </summary>
|
||||||
/// <param name="configuration">The configuration.</param>
|
/// <param name="topic"></param>
|
||||||
/// <param name="logger">The logger.</param>
|
/// <param name="numPartitions"></param>
|
||||||
public AdminClientService(IConfiguration configuration, ILogger<AdminClientService> logger)
|
/// <param name="replicationFactor"></param>
|
||||||
|
/// <returns></returns>
|
||||||
|
public async Task CreateTopicAsync(string topic, int numPartitions, short replicationFactor)
|
||||||
|
{
|
||||||
|
try
|
||||||
{
|
{
|
||||||
_logger = logger;
|
if (await CheckTopicAsync(topic)) return;
|
||||||
GetInstance(configuration);
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Gets or sets the instance.
|
|
||||||
/// </summary>
|
|
||||||
/// <value>
|
|
||||||
/// The instance.
|
|
||||||
/// </value>
|
|
||||||
public IAdminClient Instance { get; set; } = default;
|
|
||||||
|
|
||||||
/// <summary>
|
await Instance.CreateTopicsAsync(new[]
|
||||||
/// Gets the instance.
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="configuration">The configuration.</param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public IAdminClient GetInstance(IConfiguration configuration)
|
|
||||||
{
|
|
||||||
ArgumentNullException.ThrowIfNullOrWhiteSpace(configuration["Kafka:EnableAuthorization"]);
|
|
||||||
var enableAuthorization = bool.Parse(configuration["Kafka:EnableAuthorization"]!);
|
|
||||||
var adminClientConfig = new AdminClientConfig()
|
|
||||||
{
|
{
|
||||||
BootstrapServers = configuration["Kafka:BootstrapServers"],
|
new TopicSpecification
|
||||||
};
|
|
||||||
if (enableAuthorization)
|
|
||||||
{
|
|
||||||
adminClientConfig.SecurityProtocol = SecurityProtocol.SaslPlaintext;
|
|
||||||
adminClientConfig.SaslMechanism = SaslMechanism.Plain;
|
|
||||||
adminClientConfig.SaslUsername = configuration["Kafka:SaslUserName"];
|
|
||||||
adminClientConfig.SaslPassword = configuration["Kafka:SaslPassword"];
|
|
||||||
}
|
|
||||||
Instance = new AdminClientBuilder(adminClientConfig).Build();
|
|
||||||
return Instance;
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Checks the topic asynchronous.
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="topic">The topic.</param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public async Task<bool> CheckTopicAsync(string topic)
|
|
||||||
{
|
|
||||||
var metadata = Instance.GetMetadata(TimeSpan.FromSeconds(5));
|
|
||||||
return await Task.FromResult(metadata.Topics.Exists(a => a.Topic == topic));
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 判断Kafka主题是否存在
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="topic">主题名称</param>
|
|
||||||
/// <param name="numPartitions">副本数量,不能高于Brokers数量</param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public async Task<bool> CheckTopicAsync(string topic,int numPartitions)
|
|
||||||
{
|
|
||||||
var metadata = Instance.GetMetadata(TimeSpan.FromSeconds(5));
|
|
||||||
if(numPartitions > metadata.Brokers.Count)
|
|
||||||
{
|
|
||||||
throw new Exception($"{nameof(CheckTopicAsync)} 主题检查时,副本数量大于了节点数量。") ;
|
|
||||||
}
|
|
||||||
|
|
||||||
return await Task.FromResult(metadata.Topics.Exists(a => a.Topic == topic));
|
|
||||||
}
|
|
||||||
|
|
||||||
//// <summary>
|
|
||||||
/// 创建Kafka主题
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="topic">主题名称</param>
|
|
||||||
/// <param name="numPartitions">主题分区数量</param>
|
|
||||||
/// <param name="replicationFactor">副本数量,不能高于Brokers数量</param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public async Task CreateTopicAsync(string topic, int numPartitions, short replicationFactor)
|
|
||||||
{
|
|
||||||
|
|
||||||
try
|
|
||||||
{
|
|
||||||
if (await CheckTopicAsync(topic)) return;
|
|
||||||
|
|
||||||
|
|
||||||
await Instance.CreateTopicsAsync(new[]
|
|
||||||
{
|
{
|
||||||
new TopicSpecification
|
Name = topic,
|
||||||
{
|
NumPartitions = numPartitions,
|
||||||
Name = topic,
|
ReplicationFactor = replicationFactor
|
||||||
NumPartitions = numPartitions,
|
|
||||||
ReplicationFactor = replicationFactor
|
|
||||||
}
|
|
||||||
});
|
|
||||||
}
|
|
||||||
catch (CreateTopicsException e)
|
|
||||||
{
|
|
||||||
if (e.Results[0].Error.Code != ErrorCode.TopicAlreadyExists)
|
|
||||||
{
|
|
||||||
throw;
|
|
||||||
}
|
}
|
||||||
}
|
});
|
||||||
}
|
}
|
||||||
|
catch (CreateTopicsException e)
|
||||||
/// <summary>
|
|
||||||
/// 删除Kafka主题
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="topic"></param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public async Task DeleteTopicAsync(string topic)
|
|
||||||
{
|
{
|
||||||
await Instance.DeleteTopicsAsync(new[] { topic });
|
if (e.Results[0].Error.Code != ErrorCode.TopicAlreadyExists) throw;
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取Kafka主题列表
|
|
||||||
/// </summary>
|
|
||||||
/// <returns></returns>
|
|
||||||
public async Task<List<string>> ListTopicsAsync()
|
|
||||||
{
|
|
||||||
var metadata = Instance.GetMetadata(TimeSpan.FromSeconds(10));
|
|
||||||
return new List<string>(metadata.Topics.Select(t => t.Topic));
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 判断Kafka主题是否存在
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="topic"></param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public async Task<bool> TopicExistsAsync(string topic)
|
|
||||||
{
|
|
||||||
var metadata = Instance.GetMetadata(TimeSpan.FromSeconds(10));
|
|
||||||
return metadata.Topics.Any(t => t.Topic == topic);
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 检测分区是否存在
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="topic"></param>
|
|
||||||
/// <param name="partitions"></param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public Dictionary<int, bool> CheckPartitionsExists(string topic, int[] partitions)
|
|
||||||
{
|
|
||||||
var result = new Dictionary<int, bool>();
|
|
||||||
var metadata = Instance.GetMetadata(topic, TimeSpan.FromSeconds(10));
|
|
||||||
if (metadata.Topics.Count == 0)
|
|
||||||
return partitions.ToDictionary(p => p, p => false);
|
|
||||||
var existingPartitions = metadata.Topics[0].Partitions.Select(p => p.PartitionId).ToHashSet();
|
|
||||||
return partitions.ToDictionary(p => p, p => existingPartitions.Contains(p));
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 检测分区是否存在
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="topic"></param>
|
|
||||||
/// <param name="targetPartition"></param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public bool CheckPartitionsExist(string topic, int targetPartition)
|
|
||||||
{
|
|
||||||
var metadata = Instance.GetMetadata(topic, TimeSpan.FromSeconds(10));
|
|
||||||
if (metadata.Topics.Count == 0)
|
|
||||||
return false;
|
|
||||||
var partitions = metadata.Topics[0].Partitions;
|
|
||||||
return partitions.Any(p => p.PartitionId == targetPartition);
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 获取主题的分区数量
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="topic"></param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public int GetTopicPartitionsNum(string topic)
|
|
||||||
{
|
|
||||||
var metadata = Instance.GetMetadata(topic, TimeSpan.FromSeconds(10));
|
|
||||||
if (metadata.Topics.Count == 0)
|
|
||||||
return 0;
|
|
||||||
return metadata.Topics[0].Partitions.Count;
|
|
||||||
}
|
|
||||||
|
|
||||||
public void Dispose()
|
|
||||||
{
|
|
||||||
Instance?.Dispose();
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
|
||||||
|
/// <summary>
|
||||||
|
/// 删除Kafka主题
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="topic"></param>
|
||||||
|
/// <returns></returns>
|
||||||
|
public async Task DeleteTopicAsync(string topic)
|
||||||
|
{
|
||||||
|
await Instance.DeleteTopicsAsync(new[] { topic });
|
||||||
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 获取Kafka主题列表
|
||||||
|
/// </summary>
|
||||||
|
/// <returns></returns>
|
||||||
|
public async Task<List<string>> ListTopicsAsync()
|
||||||
|
{
|
||||||
|
var metadata = Instance.GetMetadata(TimeSpan.FromSeconds(10));
|
||||||
|
return new List<string>(metadata.Topics.Select(t => t.Topic));
|
||||||
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 判断Kafka主题是否存在
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="topic"></param>
|
||||||
|
/// <returns></returns>
|
||||||
|
public async Task<bool> TopicExistsAsync(string topic)
|
||||||
|
{
|
||||||
|
var metadata = Instance.GetMetadata(TimeSpan.FromSeconds(10));
|
||||||
|
return metadata.Topics.Any(t => t.Topic == topic);
|
||||||
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 检测分区是否存在
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="topic"></param>
|
||||||
|
/// <param name="partitions"></param>
|
||||||
|
/// <returns></returns>
|
||||||
|
public Dictionary<int, bool> CheckPartitionsExists(string topic, int[] partitions)
|
||||||
|
{
|
||||||
|
var result = new Dictionary<int, bool>();
|
||||||
|
var metadata = Instance.GetMetadata(topic, TimeSpan.FromSeconds(10));
|
||||||
|
if (metadata.Topics.Count == 0)
|
||||||
|
return partitions.ToDictionary(p => p, p => false);
|
||||||
|
var existingPartitions = metadata.Topics[0].Partitions.Select(p => p.PartitionId).ToHashSet();
|
||||||
|
return partitions.ToDictionary(p => p, p => existingPartitions.Contains(p));
|
||||||
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 检测分区是否存在
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="topic"></param>
|
||||||
|
/// <param name="targetPartition"></param>
|
||||||
|
/// <returns></returns>
|
||||||
|
public bool CheckPartitionsExist(string topic, int targetPartition)
|
||||||
|
{
|
||||||
|
var metadata = Instance.GetMetadata(topic, TimeSpan.FromSeconds(10));
|
||||||
|
if (metadata.Topics.Count == 0)
|
||||||
|
return false;
|
||||||
|
var partitions = metadata.Topics[0].Partitions;
|
||||||
|
return partitions.Any(p => p.PartitionId == targetPartition);
|
||||||
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 获取主题的分区数量
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="topic"></param>
|
||||||
|
/// <returns></returns>
|
||||||
|
public int GetTopicPartitionsNum(string topic)
|
||||||
|
{
|
||||||
|
var metadata = Instance.GetMetadata(topic, TimeSpan.FromSeconds(10));
|
||||||
|
if (metadata.Topics.Count == 0)
|
||||||
|
return 0;
|
||||||
|
return metadata.Topics[0].Partitions.Count;
|
||||||
|
}
|
||||||
|
|
||||||
|
public void Dispose()
|
||||||
|
{
|
||||||
|
Instance?.Dispose();
|
||||||
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// Gets the instance.
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="configuration">The configuration.</param>
|
||||||
|
/// <returns></returns>
|
||||||
|
public IAdminClient GetInstance(IConfiguration configuration)
|
||||||
|
{
|
||||||
|
ArgumentException.ThrowIfNullOrWhiteSpace(configuration["Kafka:EnableAuthorization"]);
|
||||||
|
var enableAuthorization = bool.Parse(configuration["Kafka:EnableAuthorization"]!);
|
||||||
|
var adminClientConfig = new AdminClientConfig
|
||||||
|
{
|
||||||
|
BootstrapServers = configuration["Kafka:BootstrapServers"]
|
||||||
|
};
|
||||||
|
if (enableAuthorization)
|
||||||
|
{
|
||||||
|
adminClientConfig.SecurityProtocol = SecurityProtocol.SaslPlaintext;
|
||||||
|
adminClientConfig.SaslMechanism = SaslMechanism.Plain;
|
||||||
|
adminClientConfig.SaslUsername = configuration["Kafka:SaslUserName"];
|
||||||
|
adminClientConfig.SaslPassword = configuration["Kafka:SaslPassword"];
|
||||||
|
}
|
||||||
|
return new AdminClientBuilder(adminClientConfig).Build();
|
||||||
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// Checks the topic asynchronous.
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="topic">The topic.</param>
|
||||||
|
/// <returns></returns>
|
||||||
|
public async Task<bool> CheckTopicAsync(string topic)
|
||||||
|
{
|
||||||
|
var metadata = Instance.GetMetadata(TimeSpan.FromSeconds(5));
|
||||||
|
return await Task.FromResult(metadata.Topics.Exists(a => a.Topic == topic));
|
||||||
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 判断Kafka主题是否存在
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="topic">主题名称</param>
|
||||||
|
/// <param name="numPartitions">副本数量,不能高于Brokers数量</param>
|
||||||
|
/// <returns></returns>
|
||||||
|
public async Task<bool> CheckTopicAsync(string topic, int numPartitions)
|
||||||
|
{
|
||||||
|
var metadata = Instance.GetMetadata(TimeSpan.FromSeconds(5));
|
||||||
|
if (numPartitions > metadata.Brokers.Count)
|
||||||
|
throw new Exception($"{nameof(CheckTopicAsync)} 主题检查时,副本数量大于了节点数量。");
|
||||||
|
|
||||||
|
return await Task.FromResult(metadata.Topics.Exists(a => a.Topic == topic));
|
||||||
|
}
|
||||||
|
}
|
||||||
@ -1,68 +1,60 @@
|
|||||||
using System;
|
namespace JiShe.CollectBus.Kafka.Attributes;
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
namespace JiShe.CollectBus.Kafka.Attributes
|
[AttributeUsage(AttributeTargets.Method)]
|
||||||
|
public class KafkaSubscribeAttribute : Attribute
|
||||||
{
|
{
|
||||||
[AttributeUsage(AttributeTargets.Method)]
|
/// <summary>
|
||||||
public class KafkaSubscribeAttribute : Attribute
|
/// 订阅主题
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="batchTimeout"></param>
|
||||||
|
public KafkaSubscribeAttribute(string topic)
|
||||||
{
|
{
|
||||||
/// <summary>
|
Topic = topic;
|
||||||
/// 订阅的主题
|
|
||||||
/// </summary>
|
|
||||||
public string Topic { get; set; } = null!;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 分区
|
|
||||||
/// </summary>
|
|
||||||
public int Partition { get; set; } = -1;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 消费者组
|
|
||||||
/// </summary>
|
|
||||||
public string? GroupId { get; set; } = null;//"default"
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 任务数(默认是多少个分区多少个任务)
|
|
||||||
/// 如设置订阅指定Partition则任务数始终为1
|
|
||||||
/// </summary>
|
|
||||||
public int TaskCount { get; set; } = -1;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 批量处理数量
|
|
||||||
/// </summary>
|
|
||||||
public int BatchSize { get; set; } = 100;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 是否启用批量处理
|
|
||||||
/// </summary>
|
|
||||||
public bool EnableBatch { get; set; } = false;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 批次超时时间
|
|
||||||
/// 格式:("00:05:00")
|
|
||||||
/// </summary>
|
|
||||||
public TimeSpan? BatchTimeout { get; set; }=null;
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 订阅主题
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="batchTimeout"></param>
|
|
||||||
public KafkaSubscribeAttribute(string topic)
|
|
||||||
{
|
|
||||||
this.Topic = topic;
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 订阅主题
|
|
||||||
/// </summary>
|
|
||||||
public KafkaSubscribeAttribute(string topic, int partition)
|
|
||||||
{
|
|
||||||
this.Topic = topic;
|
|
||||||
this.Partition = partition;
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
}
|
|
||||||
|
/// <summary>
|
||||||
|
/// 订阅主题
|
||||||
|
/// </summary>
|
||||||
|
public KafkaSubscribeAttribute(string topic, int partition)
|
||||||
|
{
|
||||||
|
Topic = topic;
|
||||||
|
Partition = partition;
|
||||||
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 订阅的主题
|
||||||
|
/// </summary>
|
||||||
|
public string Topic { get; set; } = null!;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 分区
|
||||||
|
/// </summary>
|
||||||
|
public int Partition { get; set; } = -1;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 消费者组
|
||||||
|
/// </summary>
|
||||||
|
public string? GroupId { get; set; } = null; //"default"
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 任务数(默认是多少个分区多少个任务)
|
||||||
|
/// 如设置订阅指定Partition则任务数始终为1
|
||||||
|
/// </summary>
|
||||||
|
public int TaskCount { get; set; } = -1;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 批量处理数量
|
||||||
|
/// </summary>
|
||||||
|
public int BatchSize { get; set; } = 100;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 是否启用批量处理
|
||||||
|
/// </summary>
|
||||||
|
public bool EnableBatch { get; set; } = false;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 批次超时时间
|
||||||
|
/// 格式:("00:05:00")
|
||||||
|
/// </summary>
|
||||||
|
public TimeSpan? BatchTimeout { get; set; } = null;
|
||||||
|
}
|
||||||
@ -1,29 +1,22 @@
|
|||||||
using System;
|
namespace JiShe.CollectBus.Kafka.Attributes;
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
namespace JiShe.CollectBus.Kafka.Attributes
|
[AttributeUsage(AttributeTargets.Class, Inherited = false)]
|
||||||
|
public class TopicAttribute : Attribute
|
||||||
{
|
{
|
||||||
[AttributeUsage(AttributeTargets.Class, Inherited = false)]
|
/// <summary>
|
||||||
public class TopicAttribute: Attribute
|
/// Initializes a new instance of the <see cref="TopicAttribute" /> class.
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="name">The name.</param>
|
||||||
|
public TopicAttribute(string name = "Default")
|
||||||
{
|
{
|
||||||
/// <summary>
|
Name = name;
|
||||||
/// Initializes a new instance of the <see cref="TopicAttribute"/> class.
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="name">The name.</param>
|
|
||||||
public TopicAttribute(string name = "Default")
|
|
||||||
{
|
|
||||||
Name = name;
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Gets or sets the name.
|
|
||||||
/// </summary>
|
|
||||||
/// <value>
|
|
||||||
/// The name.
|
|
||||||
/// </value>
|
|
||||||
public string Name { get; set; }
|
|
||||||
}
|
}
|
||||||
}
|
|
||||||
|
/// <summary>
|
||||||
|
/// Gets or sets the name.
|
||||||
|
/// </summary>
|
||||||
|
/// <value>
|
||||||
|
/// The name.
|
||||||
|
/// </value>
|
||||||
|
public string Name { get; set; }
|
||||||
|
}
|
||||||
@ -13,15 +13,18 @@ namespace JiShe.CollectBus.Kafka.Consumer
|
|||||||
public class ConsumerService : IConsumerService, IDisposable
|
public class ConsumerService : IConsumerService, IDisposable
|
||||||
{
|
{
|
||||||
private readonly ILogger<ConsumerService> _logger;
|
private readonly ILogger<ConsumerService> _logger;
|
||||||
private readonly IConfiguration _configuration;
|
|
||||||
private readonly ConcurrentDictionary<Type, (object Consumer, CancellationTokenSource CTS)>
|
private readonly ConcurrentDictionary<Type, (object Consumer, CancellationTokenSource CTS)>
|
||||||
_consumerStore = new();
|
_consumerStore = new();
|
||||||
private readonly KafkaOptionConfig _kafkaOptionConfig;
|
private readonly KafkaOptionConfig _kafkaOptionConfig;
|
||||||
private class KafkaConsumer<TKey, TValue> where TKey : notnull where TValue : class { }
|
private class KafkaConsumer<TKey, TValue> where TKey : notnull where TValue : class { }
|
||||||
|
|
||||||
public ConsumerService(IConfiguration configuration, ILogger<ConsumerService> logger, IOptions<KafkaOptionConfig> kafkaOptionConfig)
|
/// <summary>
|
||||||
|
/// ConsumerService
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="logger"></param>
|
||||||
|
/// <param name="kafkaOptionConfig"></param>
|
||||||
|
public ConsumerService(ILogger<ConsumerService> logger, IOptions<KafkaOptionConfig> kafkaOptionConfig)
|
||||||
{
|
{
|
||||||
_configuration = configuration;
|
|
||||||
_logger = logger;
|
_logger = logger;
|
||||||
_kafkaOptionConfig = kafkaOptionConfig.Value;
|
_kafkaOptionConfig = kafkaOptionConfig.Value;
|
||||||
}
|
}
|
||||||
@ -165,10 +168,10 @@ namespace JiShe.CollectBus.Kafka.Consumer
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// 订阅消息
|
/// 订阅消息
|
||||||
/// </summary>
|
/// </summary>
|
||||||
/// <typeparam name="TKey"></typeparam>
|
|
||||||
/// <typeparam name="TValue"></typeparam>
|
/// <typeparam name="TValue"></typeparam>
|
||||||
/// <param name="topics"></param>
|
/// <param name="topics"></param>
|
||||||
/// <param name="messageHandler"></param>
|
/// <param name="messageHandler"></param>
|
||||||
|
/// <param name="groupId"></param>
|
||||||
/// <returns></returns>
|
/// <returns></returns>
|
||||||
public async Task SubscribeAsync<TValue>(string[] topics, Func<TValue, Task<bool>> messageHandler, string? groupId) where TValue : class
|
public async Task SubscribeAsync<TValue>(string[] topics, Func<TValue, Task<bool>> messageHandler, string? groupId) where TValue : class
|
||||||
{
|
{
|
||||||
@ -387,7 +390,7 @@ namespace JiShe.CollectBus.Kafka.Consumer
|
|||||||
/// <param name="consumeTimeout">消费等待时间</param>
|
/// <param name="consumeTimeout">消费等待时间</param>
|
||||||
public async Task SubscribeBatchAsync<TValue>(string topic, Func<List<TValue>, Task<bool>> messageBatchHandler, string? groupId = null, int batchSize = 100, TimeSpan? batchTimeout = null, TimeSpan? consumeTimeout = null) where TValue : class
|
public async Task SubscribeBatchAsync<TValue>(string topic, Func<List<TValue>, Task<bool>> messageBatchHandler, string? groupId = null, int batchSize = 100, TimeSpan? batchTimeout = null, TimeSpan? consumeTimeout = null) where TValue : class
|
||||||
{
|
{
|
||||||
await SubscribeBatchAsync<TValue>(new[] { topic }, messageBatchHandler, groupId, batchSize, batchTimeout, consumeTimeout);
|
await SubscribeBatchAsync(new[] { topic }, messageBatchHandler, groupId, batchSize, batchTimeout, consumeTimeout);
|
||||||
|
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|||||||
@ -1,46 +1,50 @@
|
|||||||
using Confluent.Kafka;
|
namespace JiShe.CollectBus.Kafka.Consumer;
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
namespace JiShe.CollectBus.Kafka.Consumer
|
public interface IConsumerService
|
||||||
{
|
{
|
||||||
public interface IConsumerService
|
Task SubscribeAsync<TKey, TValue>(string topic, Func<TKey, TValue, Task<bool>> messageHandler,
|
||||||
{
|
string? groupId = null) where TKey : notnull where TValue : class;
|
||||||
Task SubscribeAsync<TKey, TValue>(string topic, Func<TKey, TValue, Task<bool>> messageHandler, string? groupId=null) where TKey : notnull where TValue : class;
|
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 订阅消息
|
/// 订阅消息
|
||||||
/// </summary>
|
/// </summary>
|
||||||
/// <typeparam name="TValue"></typeparam>
|
/// <typeparam name="TValue"></typeparam>
|
||||||
/// <param name="topic"></param>
|
/// <param name="topic"></param>
|
||||||
/// <param name="messageHandler"></param>
|
/// <param name="messageHandler"></param>
|
||||||
/// <returns></returns>
|
/// <returns></returns>
|
||||||
Task SubscribeAsync<TValue>(string topic, Func<TValue, Task<bool>> messageHandler, string? groupId = null) where TValue : class;
|
Task SubscribeAsync<TValue>(string topic, Func<TValue, Task<bool>> messageHandler, string? groupId = null)
|
||||||
|
where TValue : class;
|
||||||
|
|
||||||
Task SubscribeAsync<TKey, TValue>(string[] topics, Func<TKey, TValue, Task<bool>> messageHandler, string? groupId) where TKey : notnull where TValue : class;
|
Task SubscribeAsync<TKey, TValue>(string[] topics, Func<TKey, TValue, Task<bool>> messageHandler, string? groupId)
|
||||||
|
where TKey : notnull where TValue : class;
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 订阅消息
|
/// 订阅消息
|
||||||
/// </summary>
|
/// </summary>
|
||||||
/// <typeparam name="TKey"></typeparam>
|
/// <typeparam name="TKey"></typeparam>
|
||||||
/// <typeparam name="TValue"></typeparam>
|
/// <typeparam name="TValue"></typeparam>
|
||||||
/// <param name="topics"></param>
|
/// <param name="topics"></param>
|
||||||
/// <param name="messageHandler"></param>
|
/// <param name="messageHandler"></param>
|
||||||
/// <returns></returns>
|
/// <returns></returns>
|
||||||
Task SubscribeAsync<TValue>(string[] topics, Func<TValue, Task<bool>> messageHandler, string? groupId = null) where TValue : class;
|
Task SubscribeAsync<TValue>(string[] topics, Func<TValue, Task<bool>> messageHandler, string? groupId = null)
|
||||||
|
where TValue : class;
|
||||||
|
|
||||||
Task SubscribeBatchAsync<TKey, TValue>(string[] topics, Func<List<TValue>, Task<bool>> messageBatchHandler, string? groupId = null, int batchSize = 100, TimeSpan? batchTimeout = null) where TKey : notnull where TValue : class;
|
Task SubscribeBatchAsync<TKey, TValue>(string[] topics, Func<List<TValue>, Task<bool>> messageBatchHandler,
|
||||||
|
string? groupId = null, int batchSize = 100, TimeSpan? batchTimeout = null)
|
||||||
|
where TKey : notnull where TValue : class;
|
||||||
|
|
||||||
Task SubscribeBatchAsync<TKey, TValue>(string topic, Func<List<TValue>, Task<bool>> messageBatchHandler, string? groupId = null, int batchSize = 100, TimeSpan? batchTimeout = null) where TKey : notnull where TValue : class;
|
Task SubscribeBatchAsync<TKey, TValue>(string topic, Func<List<TValue>, Task<bool>> messageBatchHandler,
|
||||||
|
string? groupId = null, int batchSize = 100, TimeSpan? batchTimeout = null)
|
||||||
|
where TKey : notnull where TValue : class;
|
||||||
|
|
||||||
Task SubscribeBatchAsync<TValue>(string topic, Func<List<TValue>, Task<bool>> messageBatchHandler, string? groupId = null, int batchSize = 100, TimeSpan? batchTimeout = null, TimeSpan? consumeTimeout = null) where TValue : class;
|
Task SubscribeBatchAsync<TValue>(string topic, Func<List<TValue>, Task<bool>> messageBatchHandler,
|
||||||
|
string? groupId = null, int batchSize = 100, TimeSpan? batchTimeout = null, TimeSpan? consumeTimeout = null)
|
||||||
|
where TValue : class;
|
||||||
|
|
||||||
Task SubscribeBatchAsync<TValue>(string[] topics, Func<List<TValue>, Task<bool>> messageBatchHandler, string? groupId = null, int batchSize = 100, TimeSpan? batchTimeout = null, TimeSpan? consumeTimeout = null) where TValue : class;
|
Task SubscribeBatchAsync<TValue>(string[] topics, Func<List<TValue>, Task<bool>> messageBatchHandler,
|
||||||
|
string? groupId = null, int batchSize = 100, TimeSpan? batchTimeout = null, TimeSpan? consumeTimeout = null)
|
||||||
|
where TValue : class;
|
||||||
|
|
||||||
void Unsubscribe<TKey, TValue>() where TKey : notnull where TValue : class;
|
void Unsubscribe<TKey, TValue>() where TKey : notnull where TValue : class;
|
||||||
}
|
}
|
||||||
}
|
|
||||||
@ -1,30 +1,22 @@
|
|||||||
using Confluent.Kafka;
|
using Confluent.Kafka;
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
namespace JiShe.CollectBus.Kafka.Internal
|
namespace JiShe.CollectBus.Kafka.Internal;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 消息头过滤器
|
||||||
|
/// </summary>
|
||||||
|
public class HeadersFilter : Dictionary<string, byte[]>
|
||||||
{
|
{
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 消息头过滤器
|
/// 判断Headers是否匹配
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public class HeadersFilter : Dictionary<string, byte[]>
|
/// <param name="headers"></param>
|
||||||
|
/// <returns></returns>
|
||||||
|
public bool Match(Headers headers)
|
||||||
{
|
{
|
||||||
/// <summary>
|
foreach (var kvp in this)
|
||||||
/// 判断Headers是否匹配
|
if (!headers.TryGetLastBytes(kvp.Key, out var value) || !value.SequenceEqual(kvp.Value))
|
||||||
/// </summary>
|
return false;
|
||||||
/// <param name="headers"></param>
|
return true;
|
||||||
/// <returns></returns>
|
|
||||||
public bool Match(Headers headers)
|
|
||||||
{
|
|
||||||
foreach (var kvp in this)
|
|
||||||
{
|
|
||||||
if (!headers.TryGetLastBytes(kvp.Key, out var value) || !value.SequenceEqual(kvp.Value))
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
return true;
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -1,18 +1,11 @@
|
|||||||
using System;
|
namespace JiShe.CollectBus.Kafka.Internal;
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
namespace JiShe.CollectBus.Kafka.Internal
|
/// <summary>
|
||||||
|
/// Kafka订阅者
|
||||||
|
/// <para>
|
||||||
|
/// 订阅者需要继承此接口并需要依赖注入,并使用<see cref="KafkaSubscribeAttribute" />标记
|
||||||
|
/// </para>
|
||||||
|
/// </summary>
|
||||||
|
public interface IKafkaSubscribe
|
||||||
{
|
{
|
||||||
/// <summary>
|
}
|
||||||
/// Kafka订阅者
|
|
||||||
/// <para>
|
|
||||||
/// 订阅者需要继承此接口并需要依赖注入,并使用<see cref="KafkaSubscribeAttribute"/>标记
|
|
||||||
/// </para>
|
|
||||||
/// </summary>
|
|
||||||
public interface IKafkaSubscribe
|
|
||||||
{
|
|
||||||
}
|
|
||||||
}
|
|
||||||
@ -1,21 +1,14 @@
|
|||||||
using System;
|
namespace JiShe.CollectBus.Kafka.Internal;
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
namespace JiShe.CollectBus.Kafka.Internal
|
public interface ISubscribeAck
|
||||||
{
|
{
|
||||||
public interface ISubscribeAck
|
/// <summary>
|
||||||
{
|
/// 是否成功标记
|
||||||
/// <summary>
|
/// </summary>
|
||||||
/// 是否成功标记
|
bool Ack { get; set; }
|
||||||
/// </summary>
|
|
||||||
bool Ack { get; set; }
|
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 消息
|
/// 消息
|
||||||
/// </summary>
|
/// </summary>
|
||||||
string? Msg { get; set; }
|
string? Msg { get; set; }
|
||||||
}
|
}
|
||||||
}
|
|
||||||
@ -1,68 +1,61 @@
|
|||||||
using Confluent.Kafka;
|
using Confluent.Kafka;
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
namespace JiShe.CollectBus.Kafka.Internal
|
namespace JiShe.CollectBus.Kafka.Internal;
|
||||||
|
|
||||||
|
public class KafkaOptionConfig
|
||||||
{
|
{
|
||||||
public class KafkaOptionConfig
|
/// <summary>
|
||||||
{
|
/// kafka地址
|
||||||
/// <summary>
|
/// </summary>
|
||||||
/// kafka地址
|
public string BootstrapServers { get; set; } = null!;
|
||||||
/// </summary>
|
|
||||||
public string BootstrapServers { get; set; } = null!;
|
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 服务器标识
|
/// 服务器标识
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public string ServerTagName { get; set; }= "KafkaFilterKey";
|
public string ServerTagName { get; set; } = "KafkaFilterKey";
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// kafka主题副本数量
|
/// kafka主题副本数量
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public short KafkaReplicationFactor { get; set; }
|
public short KafkaReplicationFactor { get; set; }
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// kafka主题分区数量
|
/// kafka主题分区数量
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public int NumPartitions { get; set; }
|
public int NumPartitions { get; set; }
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 是否开启过滤器
|
/// 是否开启过滤器
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public bool EnableFilter { get; set; }= true;
|
public bool EnableFilter { get; set; } = true;
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 是否开启认证
|
/// 是否开启认证
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public bool EnableAuthorization { get; set; } = false;
|
public bool EnableAuthorization { get; set; } = false;
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 安全协议
|
/// 安全协议
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public SecurityProtocol SecurityProtocol { get; set; } = SecurityProtocol.SaslPlaintext;
|
public SecurityProtocol SecurityProtocol { get; set; } = SecurityProtocol.SaslPlaintext;
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 认证方式
|
/// 认证方式
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public SaslMechanism SaslMechanism { get; set; }= SaslMechanism.Plain;
|
public SaslMechanism SaslMechanism { get; set; } = SaslMechanism.Plain;
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 用户名
|
/// 用户名
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public string? SaslUserName { get; set; }
|
public string? SaslUserName { get; set; }
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 密码
|
/// 密码
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public string? SaslPassword { get; set; }
|
public string? SaslPassword { get; set; }
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 首次采集时间
|
/// 首次采集时间
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public DateTime FirstCollectionTime { get; set; }
|
public DateTime FirstCollectionTime { get; set; }
|
||||||
|
}
|
||||||
}
|
|
||||||
}
|
|
||||||
@ -1,113 +1,103 @@
|
|||||||
using Newtonsoft.Json;
|
using System.Collections;
|
||||||
using System;
|
|
||||||
using System.Collections;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Reflection;
|
using System.Reflection;
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
namespace JiShe.CollectBus.Kafka.Internal
|
namespace JiShe.CollectBus.Kafka.Internal;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 反射辅助类
|
||||||
|
/// </summary>
|
||||||
|
public static class ReflectionHelper
|
||||||
{
|
{
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 反射辅助类
|
/// 集合类型
|
||||||
|
/// Item1:参数类型
|
||||||
|
/// Item2:集合元素类型
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public static class ReflectionHelper
|
public static Tuple<Type, Type?> GetParameterTypeInfo(this MethodInfo method, int parameterIndex = 0)
|
||||||
{
|
{
|
||||||
/// <summary>
|
// 参数校验
|
||||||
///集合类型
|
if (method == null) throw new ArgumentNullException(nameof(method));
|
||||||
///Item1:参数类型
|
var parameters = method.GetParameters();
|
||||||
///Item2:集合元素类型
|
if (parameterIndex < 0 || parameterIndex >= parameters.Length)
|
||||||
/// </summary>
|
throw new ArgumentOutOfRangeException(nameof(parameterIndex));
|
||||||
public static Tuple<Type,Type?> GetParameterTypeInfo(this MethodInfo method, int parameterIndex=0)
|
|
||||||
{
|
|
||||||
// 参数校验
|
|
||||||
if (method == null) throw new ArgumentNullException(nameof(method));
|
|
||||||
var parameters = method.GetParameters();
|
|
||||||
if (parameterIndex < 0 || parameterIndex >= parameters.Length)
|
|
||||||
throw new ArgumentOutOfRangeException(nameof(parameterIndex));
|
|
||||||
|
|
||||||
ParameterInfo param = parameters[parameterIndex];
|
var param = parameters[parameterIndex];
|
||||||
Type paramType = param.ParameterType;
|
var paramType = param.ParameterType;
|
||||||
Type? elementType = null;
|
Type? elementType = null;
|
||||||
|
|
||||||
// 判断是否是集合类型(排除字符串)
|
// 判断是否是集合类型(排除字符串)
|
||||||
if (paramType != typeof(string) && IsEnumerableType(paramType))
|
if (paramType != typeof(string) && IsEnumerableType(paramType))
|
||||||
{
|
elementType = GetEnumerableElementType(paramType);
|
||||||
elementType = GetEnumerableElementType(paramType);
|
|
||||||
}
|
|
||||||
|
|
||||||
return Tuple.Create(paramType, elementType);
|
return Tuple.Create(paramType, elementType);
|
||||||
|
}
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 判断是否是集合类型(排除字符串)
|
/// 判断是否是集合类型(排除字符串)
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public static bool IsEnumerableType(this Type type)
|
public static bool IsEnumerableType(this Type type)
|
||||||
{
|
{
|
||||||
return type.IsArray
|
return type.IsArray
|
||||||
|| (type.IsGenericType && type.GetInterfaces()
|
|| (type.IsGenericType && type.GetInterfaces()
|
||||||
.Any(t => t.IsGenericType
|
.Any(t => t.IsGenericType
|
||||||
&& t.GetGenericTypeDefinition() == typeof(IEnumerable<>)))
|
&& t.GetGenericTypeDefinition() == typeof(IEnumerable<>)))
|
||||||
|| type.GetInterfaces().Any(t => t == typeof(System.Collections.IEnumerable));
|
|| type.GetInterfaces().Any(t => t == typeof(IEnumerable));
|
||||||
}
|
}
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 获取集合元素的类型
|
/// 获取集合元素的类型
|
||||||
/// </summary>
|
/// </summary>
|
||||||
public static Type? GetEnumerableElementType(this Type type)
|
public static Type? GetEnumerableElementType(this Type type)
|
||||||
{
|
{
|
||||||
// 处理数组类型
|
// 处理数组类型
|
||||||
if (type.IsArray)
|
if (type.IsArray)
|
||||||
return type.GetElementType();
|
return type.GetElementType();
|
||||||
|
|
||||||
// 处理直接实现IEnumerable<T>的类型(如IEnumerable<int>本身)
|
// 处理直接实现IEnumerable<T>的类型(如IEnumerable<int>本身)
|
||||||
if (type.IsGenericType && type.GetGenericTypeDefinition() == typeof(IEnumerable<>))
|
if (type.IsGenericType && type.GetGenericTypeDefinition() == typeof(IEnumerable<>))
|
||||||
return type.GetGenericArguments()[0];
|
return type.GetGenericArguments()[0];
|
||||||
|
|
||||||
// 处理通过接口实现IEnumerable<T>的泛型集合(如List<T>)
|
// 处理通过接口实现IEnumerable<T>的泛型集合(如List<T>)
|
||||||
var genericEnumerable = type.GetInterfaces()
|
var genericEnumerable = type.GetInterfaces()
|
||||||
.FirstOrDefault(t => t.IsGenericType
|
.FirstOrDefault(t => t.IsGenericType
|
||||||
&& t.GetGenericTypeDefinition() == typeof(IEnumerable<>));
|
&& t.GetGenericTypeDefinition() == typeof(IEnumerable<>));
|
||||||
if (genericEnumerable != null)
|
if (genericEnumerable != null)
|
||||||
return genericEnumerable.GetGenericArguments()[0];
|
return genericEnumerable.GetGenericArguments()[0];
|
||||||
|
|
||||||
// 处理非泛型集合类型(如 ArrayList)
|
// 处理非泛型集合类型(如 ArrayList)
|
||||||
if (typeof(IEnumerable).IsAssignableFrom(type) && type == typeof(ArrayList))
|
if (typeof(IEnumerable).IsAssignableFrom(type) && type == typeof(ArrayList))
|
||||||
return typeof(ArrayList);
|
return typeof(ArrayList);
|
||||||
// 返回null表示无法确定元素类型
|
// 返回null表示无法确定元素类型
|
||||||
return null;
|
return null;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
// <summary>
|
/// <summary>
|
||||||
/// 判断是否使用强转换
|
/// 判断是否使用强转换
|
||||||
/// </summary>
|
/// </summary>
|
||||||
/// <param name="targetType">目标类型</param>
|
/// <param name="targetType"></param>
|
||||||
/// <returns></returns>
|
/// <returns></returns>
|
||||||
public static bool IsConvertType(this Type targetType)
|
public static bool IsConvertType(this Type targetType)
|
||||||
{
|
{
|
||||||
// 处理可空类型
|
// 处理可空类型
|
||||||
Type underlyingType = Nullable.GetUnderlyingType(targetType) ?? targetType;
|
var underlyingType = Nullable.GetUnderlyingType(targetType) ?? targetType;
|
||||||
// 情况1:值类型或基元类型(如 int、DateTime)
|
// 情况1:值类型或基元类型(如 int、DateTime)
|
||||||
if (underlyingType.IsValueType || underlyingType.IsPrimitive)
|
if (underlyingType.IsValueType || underlyingType.IsPrimitive)
|
||||||
return true;
|
return true;
|
||||||
// 情况2:字符串类型直接赋值
|
// 情况2:字符串类型直接赋值
|
||||||
else if (underlyingType == typeof(string))
|
if (underlyingType == typeof(string))
|
||||||
return true;
|
return true;
|
||||||
|
|
||||||
// 情况3:枚举类型处理
|
// 情况3:枚举类型处理
|
||||||
//else if (underlyingType.IsEnum)
|
//else if (underlyingType.IsEnum)
|
||||||
//{
|
//{
|
||||||
// if (Enum.IsDefined(underlyingType, msg))
|
// if (Enum.IsDefined(underlyingType, msg))
|
||||||
// {
|
// {
|
||||||
// convertedValue = Enum.Parse(underlyingType, msg.ToString());
|
// convertedValue = Enum.Parse(underlyingType, msg.ToString());
|
||||||
// return true;
|
// return true;
|
||||||
// }
|
// }
|
||||||
// return false;
|
// return false;
|
||||||
//}
|
//}
|
||||||
return false;
|
return false;
|
||||||
}
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -1,75 +1,62 @@
|
|||||||
using Confluent.Kafka;
|
namespace JiShe.CollectBus.Kafka.Internal;
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using static System.Runtime.InteropServices.JavaScript.JSType;
|
|
||||||
|
|
||||||
namespace JiShe.CollectBus.Kafka.Internal
|
public class SubscribeResult : ISubscribeAck
|
||||||
{
|
{
|
||||||
public class SubscribeResult: ISubscribeAck
|
/// <summary>
|
||||||
|
/// 是否成功
|
||||||
|
/// </summary>
|
||||||
|
public bool Ack { get; set; }
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 消息
|
||||||
|
/// </summary>
|
||||||
|
public string? Msg { get; set; }
|
||||||
|
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 成功
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="msg">消息</param>
|
||||||
|
public SubscribeResult Success(string? msg = null)
|
||||||
{
|
{
|
||||||
/// <summary>
|
Ack = true;
|
||||||
/// 是否成功
|
Msg = msg;
|
||||||
/// </summary>
|
return this;
|
||||||
public bool Ack { get; set; }
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 消息
|
|
||||||
/// </summary>
|
|
||||||
public string? Msg { get; set; }
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 成功
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="msg">消息</param>
|
|
||||||
public SubscribeResult Success(string? msg = null)
|
|
||||||
{
|
|
||||||
Ack = true;
|
|
||||||
Msg = msg;
|
|
||||||
return this;
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 失败
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="code"></param>
|
|
||||||
/// <param name="msg"></param>
|
|
||||||
/// <param name="data"></param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public SubscribeResult Fail(string? msg = null)
|
|
||||||
{
|
|
||||||
Msg = msg;
|
|
||||||
Ack = false;
|
|
||||||
return this;
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
public static partial class SubscribeAck
|
/// <summary>
|
||||||
|
/// 失败
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="msg"></param>
|
||||||
|
/// <returns></returns>
|
||||||
|
public SubscribeResult Fail(string? msg = null)
|
||||||
{
|
{
|
||||||
|
Msg = msg;
|
||||||
/// <summary>
|
Ack = false;
|
||||||
/// 成功
|
return this;
|
||||||
/// </summary>
|
|
||||||
/// <param name="msg">消息</param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public static ISubscribeAck Success(string? msg = null)
|
|
||||||
{
|
|
||||||
return new SubscribeResult().Success(msg);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// 失败
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="msg">消息</param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public static ISubscribeAck Fail(string? msg = null)
|
|
||||||
{
|
|
||||||
return new SubscribeResult().Fail(msg);
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
}
|
}
|
||||||
|
|
||||||
|
public static class SubscribeAck
|
||||||
|
{
|
||||||
|
/// <summary>
|
||||||
|
/// 成功
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="msg">消息</param>
|
||||||
|
/// <returns></returns>
|
||||||
|
public static ISubscribeAck Success(string? msg = null)
|
||||||
|
{
|
||||||
|
return new SubscribeResult().Success(msg);
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 失败
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="msg">消息</param>
|
||||||
|
/// <returns></returns>
|
||||||
|
public static ISubscribeAck Fail(string? msg = null)
|
||||||
|
{
|
||||||
|
return new SubscribeResult().Fail(msg);
|
||||||
|
}
|
||||||
|
}
|
||||||
@ -8,26 +8,17 @@ using JiShe.CollectBus.Kafka.Consumer;
|
|||||||
using JiShe.CollectBus.Kafka.Internal;
|
using JiShe.CollectBus.Kafka.Internal;
|
||||||
using JiShe.CollectBus.Kafka.Serialization;
|
using JiShe.CollectBus.Kafka.Serialization;
|
||||||
using Microsoft.AspNetCore.Builder;
|
using Microsoft.AspNetCore.Builder;
|
||||||
using Microsoft.AspNetCore.Mvc.Abstractions;
|
|
||||||
using Microsoft.Extensions.Configuration;
|
|
||||||
using Microsoft.Extensions.DependencyInjection;
|
using Microsoft.Extensions.DependencyInjection;
|
||||||
using Microsoft.Extensions.Hosting;
|
using Microsoft.Extensions.Hosting;
|
||||||
using Microsoft.Extensions.Logging;
|
using Microsoft.Extensions.Logging;
|
||||||
using Microsoft.Extensions.Options;
|
using Microsoft.Extensions.Options;
|
||||||
using System;
|
|
||||||
using System.Collections;
|
using System.Collections;
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.ComponentModel;
|
using System.ComponentModel;
|
||||||
using System.Linq.Expressions;
|
|
||||||
using System.Reflection;
|
using System.Reflection;
|
||||||
using System.Text.Json;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using YamlDotNet.Core.Tokens;
|
|
||||||
using static System.Runtime.InteropServices.JavaScript.JSType;
|
|
||||||
|
|
||||||
namespace JiShe.CollectBus.Kafka
|
namespace JiShe.CollectBus.Kafka
|
||||||
{
|
{
|
||||||
public static class KafkaSubcribesExtensions
|
public static class KafkaSubscribeExtensions
|
||||||
{
|
{
|
||||||
|
|
||||||
public static void UseInitKafkaTopic(this IServiceProvider provider)
|
public static void UseInitKafkaTopic(this IServiceProvider provider)
|
||||||
@ -36,7 +27,7 @@ namespace JiShe.CollectBus.Kafka
|
|||||||
var kafkaAdminClient = provider.GetRequiredService<IAdminClientService>();
|
var kafkaAdminClient = provider.GetRequiredService<IAdminClientService>();
|
||||||
var kafkaOptions = provider.GetRequiredService<IOptions<KafkaOptionConfig>>();
|
var kafkaOptions = provider.GetRequiredService<IOptions<KafkaOptionConfig>>();
|
||||||
|
|
||||||
List<string> topics = ProtocolConstExtensions.GetAllTopicNamesByIssued();
|
var topics = ProtocolConstExtensions.GetAllTopicNamesByIssued();
|
||||||
topics.AddRange(ProtocolConstExtensions.GetAllTopicNamesByReceived());
|
topics.AddRange(ProtocolConstExtensions.GetAllTopicNamesByReceived());
|
||||||
|
|
||||||
foreach (var item in topics)
|
foreach (var item in topics)
|
||||||
@ -48,8 +39,6 @@ namespace JiShe.CollectBus.Kafka
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// 添加Kafka订阅
|
/// 添加Kafka订阅
|
||||||
/// </summary>
|
/// </summary>
|
||||||
/// <param name="app"></param>
|
|
||||||
/// <param name="assembly"></param>
|
|
||||||
public static void UseKafkaSubscribe(this IServiceProvider provider)
|
public static void UseKafkaSubscribe(this IServiceProvider provider)
|
||||||
{
|
{
|
||||||
var lifetime = provider.GetRequiredService<IHostApplicationLifetime>();
|
var lifetime = provider.GetRequiredService<IHostApplicationLifetime>();
|
||||||
@ -57,8 +46,8 @@ namespace JiShe.CollectBus.Kafka
|
|||||||
lifetime.ApplicationStarted.Register(() =>
|
lifetime.ApplicationStarted.Register(() =>
|
||||||
{
|
{
|
||||||
var logger = provider.GetRequiredService<ILogger<CollectBusKafkaModule>>();
|
var logger = provider.GetRequiredService<ILogger<CollectBusKafkaModule>>();
|
||||||
int threadCount = 0;
|
var threadCount = 0;
|
||||||
int topicCount = 0;
|
var topicCount = 0;
|
||||||
var assemblyPath = Path.GetDirectoryName(Assembly.GetEntryAssembly()?.Location);
|
var assemblyPath = Path.GetDirectoryName(Assembly.GetEntryAssembly()?.Location);
|
||||||
if (string.IsNullOrWhiteSpace(assemblyPath))
|
if (string.IsNullOrWhiteSpace(assemblyPath))
|
||||||
{
|
{
|
||||||
@ -98,6 +87,9 @@ namespace JiShe.CollectBus.Kafka
|
|||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// 添加Kafka订阅
|
||||||
|
/// </summary>
|
||||||
public static void UseKafkaSubscribersAsync(this IApplicationBuilder app, Assembly assembly)
|
public static void UseKafkaSubscribersAsync(this IApplicationBuilder app, Assembly assembly)
|
||||||
{
|
{
|
||||||
var provider = app.ApplicationServices;
|
var provider = app.ApplicationServices;
|
||||||
@ -134,8 +126,6 @@ namespace JiShe.CollectBus.Kafka
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// 构建Kafka订阅
|
/// 构建Kafka订阅
|
||||||
/// </summary>
|
/// </summary>
|
||||||
/// <param name="subscribe"></param>
|
|
||||||
/// <param name="provider"></param>
|
|
||||||
private static Tuple<int, int> BuildKafkaSubscribe(object subscribe, IServiceProvider provider, ILogger<CollectBusKafkaModule> logger, KafkaOptionConfig kafkaOptionConfig)
|
private static Tuple<int, int> BuildKafkaSubscribe(object subscribe, IServiceProvider provider, ILogger<CollectBusKafkaModule> logger, KafkaOptionConfig kafkaOptionConfig)
|
||||||
{
|
{
|
||||||
var subscribedMethods = subscribe.GetType().GetMethods()
|
var subscribedMethods = subscribe.GetType().GetMethods()
|
||||||
@ -169,11 +159,6 @@ namespace JiShe.CollectBus.Kafka
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// 启动后台消费线程
|
/// 启动后台消费线程
|
||||||
/// </summary>
|
/// </summary>
|
||||||
/// <param name="config"></param>
|
|
||||||
/// <param name="attr"></param>
|
|
||||||
/// <param name="method"></param>
|
|
||||||
/// <param name="consumerInstance"></param>
|
|
||||||
/// <returns></returns>
|
|
||||||
private static async Task StartConsumerAsync(IServiceProvider provider, KafkaSubscribeAttribute attr, MethodInfo method, object subscribe, ILogger<CollectBusKafkaModule> logger)
|
private static async Task StartConsumerAsync(IServiceProvider provider, KafkaSubscribeAttribute attr, MethodInfo method, object subscribe, ILogger<CollectBusKafkaModule> logger)
|
||||||
{
|
{
|
||||||
var consumerService = provider.GetRequiredService<IConsumerService>();
|
var consumerService = provider.GetRequiredService<IConsumerService>();
|
||||||
@ -225,10 +210,6 @@ namespace JiShe.CollectBus.Kafka
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// 处理消息
|
/// 处理消息
|
||||||
/// </summary>
|
/// </summary>
|
||||||
/// <param name="message"></param>
|
|
||||||
/// <param name="method"></param>
|
|
||||||
/// <param name="subscribe"></param>
|
|
||||||
/// <returns></returns>
|
|
||||||
private static async Task<bool> ProcessMessageAsync(List<dynamic> messages, MethodInfo method, object subscribe)
|
private static async Task<bool> ProcessMessageAsync(List<dynamic> messages, MethodInfo method, object subscribe)
|
||||||
{
|
{
|
||||||
var parameters = method.GetParameters();
|
var parameters = method.GetParameters();
|
||||||
@ -351,9 +332,6 @@ namespace JiShe.CollectBus.Kafka
|
|||||||
}
|
}
|
||||||
return false;
|
return false;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
@ -1,9 +1,4 @@
|
|||||||
using Confluent.Kafka;
|
using Confluent.Kafka;
|
||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
namespace JiShe.CollectBus.Kafka.Producer
|
namespace JiShe.CollectBus.Kafka.Producer
|
||||||
{
|
{
|
||||||
|
|||||||
@ -23,6 +23,13 @@ namespace JiShe.CollectBus.Kafka.Producer
|
|||||||
private readonly ConcurrentDictionary<Type, object> _producerCache = new();
|
private readonly ConcurrentDictionary<Type, object> _producerCache = new();
|
||||||
private class KafkaProducer<TKey, TValue> where TKey : notnull where TValue : class { }
|
private class KafkaProducer<TKey, TValue> where TKey : notnull where TValue : class { }
|
||||||
private readonly KafkaOptionConfig _kafkaOptionConfig;
|
private readonly KafkaOptionConfig _kafkaOptionConfig;
|
||||||
|
|
||||||
|
/// <summary>
|
||||||
|
/// ProducerService
|
||||||
|
/// </summary>
|
||||||
|
/// <param name="configuration"></param>
|
||||||
|
/// <param name="logger"></param>
|
||||||
|
/// <param name="kafkaOptionConfig"></param>
|
||||||
public ProducerService(IConfiguration configuration,ILogger<ProducerService> logger, IOptions<KafkaOptionConfig> kafkaOptionConfig)
|
public ProducerService(IConfiguration configuration,ILogger<ProducerService> logger, IOptions<KafkaOptionConfig> kafkaOptionConfig)
|
||||||
{
|
{
|
||||||
_configuration = configuration;
|
_configuration = configuration;
|
||||||
|
|||||||
@ -4,14 +4,12 @@ using Volo.Abp.EventBus;
|
|||||||
namespace JiShe.CollectBus.Samples;
|
namespace JiShe.CollectBus.Samples;
|
||||||
|
|
||||||
[EventName("Sample.Kafka.Test")]
|
[EventName("Sample.Kafka.Test")]
|
||||||
[TopicName("Test1")]
|
|
||||||
public class SampleDto
|
public class SampleDto
|
||||||
{
|
{
|
||||||
public int Value { get; set; }
|
public int Value { get; set; }
|
||||||
}
|
}
|
||||||
|
|
||||||
[EventName("Sample.Kafka.Test2")]
|
[EventName("Sample.Kafka.Test2")]
|
||||||
[TopicName("Test2")]
|
|
||||||
public class SampleDto2
|
public class SampleDto2
|
||||||
{
|
{
|
||||||
public int Value { get; set; }
|
public int Value { get; set; }
|
||||||
|
|||||||
@ -11,9 +11,11 @@ using System.Collections.Generic;
|
|||||||
using System.Linq;
|
using System.Linq;
|
||||||
using System.Reflection;
|
using System.Reflection;
|
||||||
using System.Threading.Tasks;
|
using System.Threading.Tasks;
|
||||||
|
using Cassandra.Mapping;
|
||||||
using JiShe.CollectBus.Cassandra;
|
using JiShe.CollectBus.Cassandra;
|
||||||
using JiShe.CollectBus.FreeRedis;
|
using JiShe.CollectBus.FreeRedis;
|
||||||
using JiShe.CollectBus.IoTDB;
|
using JiShe.CollectBus.IoTDB;
|
||||||
|
using JiShe.CollectBus.Mappers;
|
||||||
using Volo.Abp;
|
using Volo.Abp;
|
||||||
using Volo.Abp.Application;
|
using Volo.Abp.Application;
|
||||||
using Volo.Abp.Autofac;
|
using Volo.Abp.Autofac;
|
||||||
@ -24,6 +26,8 @@ using Volo.Abp.EventBus;
|
|||||||
using Volo.Abp.Modularity;
|
using Volo.Abp.Modularity;
|
||||||
using Microsoft.Extensions.Options;
|
using Microsoft.Extensions.Options;
|
||||||
using JiShe.CollectBus.Kafka.Internal;
|
using JiShe.CollectBus.Kafka.Internal;
|
||||||
|
using JiShe.CollectBus.Interceptors;
|
||||||
|
using JiShe.CollectBus.Common.Attributes;
|
||||||
|
|
||||||
namespace JiShe.CollectBus;
|
namespace JiShe.CollectBus;
|
||||||
|
|
||||||
@ -37,7 +41,7 @@ namespace JiShe.CollectBus;
|
|||||||
typeof(CollectBusFreeRedisModule),
|
typeof(CollectBusFreeRedisModule),
|
||||||
typeof(CollectBusFreeSqlModule),
|
typeof(CollectBusFreeSqlModule),
|
||||||
typeof(CollectBusKafkaModule),
|
typeof(CollectBusKafkaModule),
|
||||||
typeof(CollectBusIoTDBModule),
|
typeof(CollectBusIoTDbModule),
|
||||||
typeof(CollectBusCassandraModule)
|
typeof(CollectBusCassandraModule)
|
||||||
)]
|
)]
|
||||||
public class CollectBusApplicationModule : AbpModule
|
public class CollectBusApplicationModule : AbpModule
|
||||||
@ -50,7 +54,24 @@ public class CollectBusApplicationModule : AbpModule
|
|||||||
Configure<AbpAutoMapperOptions>(options =>
|
Configure<AbpAutoMapperOptions>(options =>
|
||||||
{
|
{
|
||||||
options.AddMaps<CollectBusApplicationModule>(validate: true);
|
options.AddMaps<CollectBusApplicationModule>(validate: true);
|
||||||
});
|
});
|
||||||
|
|
||||||
|
context.Services.AddSingleton(new MappingConfiguration()
|
||||||
|
.Define(new CollectBusMapping()));
|
||||||
|
|
||||||
|
// 注册拦截器
|
||||||
|
context.Services.OnRegistered(ctx =>
|
||||||
|
{
|
||||||
|
var methods = ctx.ImplementationType.GetMethods();
|
||||||
|
foreach (var method in methods)
|
||||||
|
{
|
||||||
|
var attr = method.GetCustomAttribute(typeof(LogInterceptAttribute), true);
|
||||||
|
if (attr != null)
|
||||||
|
{
|
||||||
|
ctx.Interceptors.TryAdd<LogInterceptor>();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
public override async Task OnApplicationInitializationAsync(
|
public override async Task OnApplicationInitializationAsync(
|
||||||
@ -70,10 +91,9 @@ public class CollectBusApplicationModule : AbpModule
|
|||||||
|
|
||||||
//初始化主题信息
|
//初始化主题信息
|
||||||
var kafkaAdminClient = context.ServiceProvider.GetRequiredService<IAdminClientService>();
|
var kafkaAdminClient = context.ServiceProvider.GetRequiredService<IAdminClientService>();
|
||||||
var configuration = context.ServiceProvider.GetRequiredService<IConfiguration>();
|
|
||||||
var kafkaOptions = context.ServiceProvider.GetRequiredService<IOptions<KafkaOptionConfig>>();
|
var kafkaOptions = context.ServiceProvider.GetRequiredService<IOptions<KafkaOptionConfig>>();
|
||||||
|
|
||||||
List<string> topics = ProtocolConstExtensions.GetAllTopicNamesByIssued();
|
var topics = ProtocolConstExtensions.GetAllTopicNamesByIssued();
|
||||||
topics.AddRange(ProtocolConstExtensions.GetAllTopicNamesByReceived());
|
topics.AddRange(ProtocolConstExtensions.GetAllTopicNamesByReceived());
|
||||||
|
|
||||||
foreach (var item in topics)
|
foreach (var item in topics)
|
||||||
|
|||||||
@ -0,0 +1,9 @@
|
|||||||
|
using System;
|
||||||
|
|
||||||
|
namespace JiShe.CollectBus.Interceptors
|
||||||
|
{
|
||||||
|
[AttributeUsage(AttributeTargets.Method)]
|
||||||
|
public class LogInterceptAttribute : Attribute
|
||||||
|
{
|
||||||
|
}
|
||||||
|
}
|
||||||
@ -0,0 +1,60 @@
|
|||||||
|
using System;
|
||||||
|
using System.Collections.Generic;
|
||||||
|
using System.Linq;
|
||||||
|
using System.Text;
|
||||||
|
using System.Threading.Tasks;
|
||||||
|
using Volo.Abp.DependencyInjection;
|
||||||
|
using Volo.Abp.DynamicProxy;
|
||||||
|
|
||||||
|
namespace JiShe.CollectBus.Interceptors
|
||||||
|
{
|
||||||
|
public class LogInterceptor : AbpInterceptor, ITransientDependency
|
||||||
|
{
|
||||||
|
public override async Task InterceptAsync(IAbpMethodInvocation invocation)
|
||||||
|
{
|
||||||
|
// 方法执行前的逻辑(如果需要)
|
||||||
|
|
||||||
|
try
|
||||||
|
{
|
||||||
|
// 执行原始方法
|
||||||
|
await invocation.ProceedAsync();
|
||||||
|
|
||||||
|
// 方法执行成功后,返回前的逻辑
|
||||||
|
await OnSuccessAsync(invocation);
|
||||||
|
}
|
||||||
|
catch (Exception ex)
|
||||||
|
{
|
||||||
|
// 出现异常时的逻辑
|
||||||
|
await OnExceptionAsync(invocation, ex);
|
||||||
|
throw;
|
||||||
|
}
|
||||||
|
finally
|
||||||
|
{
|
||||||
|
// 方法结束前一定会执行的逻辑
|
||||||
|
await OnCompleteAsync(invocation);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
private Task OnSuccessAsync(IAbpMethodInvocation invocation)
|
||||||
|
{
|
||||||
|
// 方法执行成功后的逻辑
|
||||||
|
// 可以访问 invocation.ReturnValue 获取返回值
|
||||||
|
Console.WriteLine($"方法 {invocation.Method.Name} 成功执行,返回值:{invocation.ReturnValue}");
|
||||||
|
return Task.CompletedTask;
|
||||||
|
}
|
||||||
|
|
||||||
|
private Task OnExceptionAsync(IAbpMethodInvocation invocation, Exception ex)
|
||||||
|
{
|
||||||
|
// 方法执行异常时的逻辑
|
||||||
|
Console.WriteLine($"方法 {invocation.Method.Name} 执行异常:{ex.Message}");
|
||||||
|
return Task.CompletedTask;
|
||||||
|
}
|
||||||
|
|
||||||
|
private Task OnCompleteAsync(IAbpMethodInvocation invocation)
|
||||||
|
{
|
||||||
|
// 无论成功失败,方法执行完毕后的逻辑
|
||||||
|
Console.WriteLine($"方法 {invocation.Method.Name} 执行完毕");
|
||||||
|
return Task.CompletedTask;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@ -1,13 +1,8 @@
|
|||||||
using Cassandra.Mapping;
|
using Cassandra.Mapping;
|
||||||
using System;
|
using JiShe.CollectBus.IotSystems.Devices;
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using JiShe.CollectBus.IotSystems.MessageIssueds;
|
using JiShe.CollectBus.IotSystems.MessageIssueds;
|
||||||
using static Cassandra.QueryTrace;
|
|
||||||
|
|
||||||
namespace JiShe.CollectBus.Cassandra.Mappers
|
namespace JiShe.CollectBus.Mappers
|
||||||
{
|
{
|
||||||
public class CollectBusMapping: Mappings
|
public class CollectBusMapping: Mappings
|
||||||
{
|
{
|
||||||
@ -15,6 +10,8 @@ namespace JiShe.CollectBus.Cassandra.Mappers
|
|||||||
{
|
{
|
||||||
For<MessageIssued>()
|
For<MessageIssued>()
|
||||||
.Column(e => e.Type, cm => cm.WithName("type").WithDbType<int>());
|
.Column(e => e.Type, cm => cm.WithName("type").WithDbType<int>());
|
||||||
|
For<Device>()
|
||||||
|
.Column(e => e.Status, cm => cm.WithName("status").WithDbType<int>());
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -34,13 +34,13 @@ namespace JiShe.CollectBus.Samples;
|
|||||||
public class SampleAppService : CollectBusAppService, ISampleAppService, IKafkaSubscribe
|
public class SampleAppService : CollectBusAppService, ISampleAppService, IKafkaSubscribe
|
||||||
{
|
{
|
||||||
private readonly ILogger<SampleAppService> _logger;
|
private readonly ILogger<SampleAppService> _logger;
|
||||||
private readonly IIoTDBProvider _iotDBProvider;
|
private readonly IIoTDbProvider _iotDBProvider;
|
||||||
private readonly IoTDBRuntimeContext _dbContext;
|
private readonly IoTDbRuntimeContext _dbContext;
|
||||||
private readonly IoTDBOptions _options;
|
private readonly IoTDbOptions _options;
|
||||||
private readonly IRedisDataCacheService _redisDataCacheService;
|
private readonly IRedisDataCacheService _redisDataCacheService;
|
||||||
|
|
||||||
public SampleAppService(IIoTDBProvider iotDBProvider, IOptions<IoTDBOptions> options,
|
public SampleAppService(IIoTDbProvider iotDBProvider, IOptions<IoTDbOptions> options,
|
||||||
IoTDBRuntimeContext dbContext, ILogger<SampleAppService> logger, IRedisDataCacheService redisDataCacheService)
|
IoTDbRuntimeContext dbContext, ILogger<SampleAppService> logger, IRedisDataCacheService redisDataCacheService)
|
||||||
{
|
{
|
||||||
_iotDBProvider = iotDBProvider;
|
_iotDBProvider = iotDBProvider;
|
||||||
_options = options.Value;
|
_options = options.Value;
|
||||||
|
|||||||
@ -25,6 +25,7 @@ using Volo.Abp.Domain.Repositories;
|
|||||||
using System.Diagnostics;
|
using System.Diagnostics;
|
||||||
using System.Linq;
|
using System.Linq;
|
||||||
using Cassandra;
|
using Cassandra;
|
||||||
|
using JiShe.CollectBus.Interceptors;
|
||||||
|
|
||||||
namespace JiShe.CollectBus.Samples;
|
namespace JiShe.CollectBus.Samples;
|
||||||
|
|
||||||
@ -35,11 +36,10 @@ public class TestAppService : CollectBusAppService
|
|||||||
private readonly ICassandraRepository<MessageIssued, string> _messageReceivedCassandraRepository;
|
private readonly ICassandraRepository<MessageIssued, string> _messageReceivedCassandraRepository;
|
||||||
private readonly ICassandraProvider _cassandraProvider;
|
private readonly ICassandraProvider _cassandraProvider;
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
public TestAppService(
|
public TestAppService(
|
||||||
ILogger<TestAppService> logger,
|
ILogger<TestAppService> logger,
|
||||||
ICassandraRepository<MessageIssued, string> messageReceivedCassandraRepository, ICassandraProvider cassandraProvider)
|
ICassandraRepository<MessageIssued, string> messageReceivedCassandraRepository,
|
||||||
|
ICassandraProvider cassandraProvider)
|
||||||
{
|
{
|
||||||
_logger = logger;
|
_logger = logger;
|
||||||
_messageReceivedCassandraRepository = messageReceivedCassandraRepository;
|
_messageReceivedCassandraRepository = messageReceivedCassandraRepository;
|
||||||
@ -122,4 +122,11 @@ public class TestAppService : CollectBusAppService
|
|||||||
// 等待所有批处理完成
|
// 等待所有批处理完成
|
||||||
await Task.WhenAll(tasks);
|
await Task.WhenAll(tasks);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
[LogIntercept]
|
||||||
|
public async Task<string> LogInterceptorTest(string str)
|
||||||
|
{
|
||||||
|
_logger.LogWarning(str);
|
||||||
|
return str;
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@ -37,7 +37,7 @@ namespace JiShe.CollectBus.ScheduledMeterReading
|
|||||||
public abstract class BasicScheduledMeterReadingService : CollectBusAppService, IScheduledMeterReadingService
|
public abstract class BasicScheduledMeterReadingService : CollectBusAppService, IScheduledMeterReadingService
|
||||||
{
|
{
|
||||||
private readonly ILogger<BasicScheduledMeterReadingService> _logger;
|
private readonly ILogger<BasicScheduledMeterReadingService> _logger;
|
||||||
private readonly IIoTDBProvider _dbProvider;
|
private readonly IIoTDbProvider _dbProvider;
|
||||||
private readonly IMeterReadingRecordRepository _meterReadingRecordRepository;
|
private readonly IMeterReadingRecordRepository _meterReadingRecordRepository;
|
||||||
private readonly IProducerService _producerService;
|
private readonly IProducerService _producerService;
|
||||||
private readonly IRedisDataCacheService _redisDataCacheService;
|
private readonly IRedisDataCacheService _redisDataCacheService;
|
||||||
@ -48,7 +48,7 @@ namespace JiShe.CollectBus.ScheduledMeterReading
|
|||||||
IMeterReadingRecordRepository meterReadingRecordRepository,
|
IMeterReadingRecordRepository meterReadingRecordRepository,
|
||||||
IProducerService producerService,
|
IProducerService producerService,
|
||||||
IRedisDataCacheService redisDataCacheService,
|
IRedisDataCacheService redisDataCacheService,
|
||||||
IIoTDBProvider dbProvider,
|
IIoTDbProvider dbProvider,
|
||||||
IOptions<KafkaOptionConfig> kafkaOptions)
|
IOptions<KafkaOptionConfig> kafkaOptions)
|
||||||
{
|
{
|
||||||
_logger = logger;
|
_logger = logger;
|
||||||
|
|||||||
@ -37,7 +37,7 @@ namespace JiShe.CollectBus.ScheduledMeterReading
|
|||||||
string serverTagName = string.Empty;
|
string serverTagName = string.Empty;
|
||||||
public EnergySystemScheduledMeterReadingService(
|
public EnergySystemScheduledMeterReadingService(
|
||||||
ILogger<EnergySystemScheduledMeterReadingService> logger,
|
ILogger<EnergySystemScheduledMeterReadingService> logger,
|
||||||
IIoTDBProvider dbProvider,
|
IIoTDbProvider dbProvider,
|
||||||
IMeterReadingRecordRepository meterReadingRecordRepository,
|
IMeterReadingRecordRepository meterReadingRecordRepository,
|
||||||
IOptions<KafkaOptionConfig> kafkaOptions,
|
IOptions<KafkaOptionConfig> kafkaOptions,
|
||||||
IProducerService producerService,
|
IProducerService producerService,
|
||||||
|
|||||||
@ -30,10 +30,8 @@ namespace JiShe.CollectBus.Subscribers
|
|||||||
private readonly IServiceProvider _serviceProvider;
|
private readonly IServiceProvider _serviceProvider;
|
||||||
private readonly IRepository<MessageReceivedLogin, Guid> _messageReceivedLoginEventRepository;
|
private readonly IRepository<MessageReceivedLogin, Guid> _messageReceivedLoginEventRepository;
|
||||||
private readonly IRepository<MessageReceivedHeartbeat, Guid> _messageReceivedHeartbeatEventRepository;
|
private readonly IRepository<MessageReceivedHeartbeat, Guid> _messageReceivedHeartbeatEventRepository;
|
||||||
private readonly IRepository<MessageReceived, Guid> _messageReceivedEventRepository;
|
|
||||||
private readonly IRepository<Device, Guid> _deviceRepository;
|
|
||||||
private readonly IMeterReadingRecordRepository _meterReadingRecordsRepository;
|
private readonly IMeterReadingRecordRepository _meterReadingRecordsRepository;
|
||||||
private readonly IIoTDBProvider _dbProvider;
|
private readonly IIoTDbProvider _dbProvider;
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Initializes a new instance of the <see cref="SubscriberAppService"/> class.
|
/// Initializes a new instance of the <see cref="SubscriberAppService"/> class.
|
||||||
@ -43,16 +41,13 @@ namespace JiShe.CollectBus.Subscribers
|
|||||||
/// <param name="serviceProvider">The service provider.</param>
|
/// <param name="serviceProvider">The service provider.</param>
|
||||||
/// <param name="messageReceivedLoginEventRepository">The message received login event repository.</param>
|
/// <param name="messageReceivedLoginEventRepository">The message received login event repository.</param>
|
||||||
/// <param name="messageReceivedHeartbeatEventRepository">The message received heartbeat event repository.</param>
|
/// <param name="messageReceivedHeartbeatEventRepository">The message received heartbeat event repository.</param>
|
||||||
/// <param name="messageReceivedEventRepository">The message received event repository.</param>
|
|
||||||
/// <param name="deviceRepository">The device repository.</param>
|
|
||||||
/// <param name="meterReadingRecordsRepository">The device repository.</param>
|
/// <param name="meterReadingRecordsRepository">The device repository.</param>
|
||||||
public SubscriberAppService(ILogger<SubscriberAppService> logger,
|
public SubscriberAppService(ILogger<SubscriberAppService> logger,
|
||||||
ITcpService tcpService, IServiceProvider serviceProvider,
|
ITcpService tcpService,
|
||||||
|
IServiceProvider serviceProvider,
|
||||||
IRepository<MessageReceivedLogin, Guid> messageReceivedLoginEventRepository,
|
IRepository<MessageReceivedLogin, Guid> messageReceivedLoginEventRepository,
|
||||||
IRepository<MessageReceivedHeartbeat, Guid> messageReceivedHeartbeatEventRepository,
|
IRepository<MessageReceivedHeartbeat, Guid> messageReceivedHeartbeatEventRepository,
|
||||||
IRepository<MessageReceived, Guid> messageReceivedEventRepository,
|
IIoTDbProvider dbProvider,
|
||||||
IRepository<Device, Guid> deviceRepository,
|
|
||||||
IIoTDBProvider dbProvider,
|
|
||||||
IMeterReadingRecordRepository meterReadingRecordsRepository)
|
IMeterReadingRecordRepository meterReadingRecordsRepository)
|
||||||
{
|
{
|
||||||
_logger = logger;
|
_logger = logger;
|
||||||
@ -60,8 +55,6 @@ namespace JiShe.CollectBus.Subscribers
|
|||||||
_serviceProvider = serviceProvider;
|
_serviceProvider = serviceProvider;
|
||||||
_messageReceivedLoginEventRepository = messageReceivedLoginEventRepository;
|
_messageReceivedLoginEventRepository = messageReceivedLoginEventRepository;
|
||||||
_messageReceivedHeartbeatEventRepository = messageReceivedHeartbeatEventRepository;
|
_messageReceivedHeartbeatEventRepository = messageReceivedHeartbeatEventRepository;
|
||||||
_messageReceivedEventRepository = messageReceivedEventRepository;
|
|
||||||
_deviceRepository = deviceRepository;
|
|
||||||
_meterReadingRecordsRepository = meterReadingRecordsRepository;
|
_meterReadingRecordsRepository = meterReadingRecordsRepository;
|
||||||
_dbProvider = dbProvider;
|
_dbProvider = dbProvider;
|
||||||
}
|
}
|
||||||
|
|||||||
@ -10,7 +10,6 @@ using Volo.Abp.Uow;
|
|||||||
|
|
||||||
namespace JiShe.CollectBus.Workers
|
namespace JiShe.CollectBus.Workers
|
||||||
{
|
{
|
||||||
[IgnoreJob]
|
|
||||||
public class EpiCollectWorker : HangfireBackgroundWorkerBase, ITransientDependency,ICollectWorker
|
public class EpiCollectWorker : HangfireBackgroundWorkerBase, ITransientDependency,ICollectWorker
|
||||||
{
|
{
|
||||||
private readonly ILogger<EpiCollectWorker> _logger;
|
private readonly ILogger<EpiCollectWorker> _logger;
|
||||||
|
|||||||
@ -1,14 +1,18 @@
|
|||||||
using System;
|
using System;
|
||||||
using System.Collections.Generic;
|
using System.Collections.Generic;
|
||||||
|
using System.ComponentModel.DataAnnotations;
|
||||||
using System.Linq;
|
using System.Linq;
|
||||||
using System.Text;
|
using System.Text;
|
||||||
using System.Threading.Tasks;
|
using System.Threading.Tasks;
|
||||||
|
using JiShe.CollectBus.Common.Attributes;
|
||||||
using JiShe.CollectBus.Enums;
|
using JiShe.CollectBus.Enums;
|
||||||
|
using Volo.Abp.Auditing;
|
||||||
using Volo.Abp.Domain.Entities;
|
using Volo.Abp.Domain.Entities;
|
||||||
|
using Volo.Abp.Logging;
|
||||||
|
|
||||||
namespace JiShe.CollectBus.IotSystems.Devices
|
namespace JiShe.CollectBus.IotSystems.Devices
|
||||||
{
|
{
|
||||||
public class Device : AggregateRoot<Guid>
|
public class Device : BasicAggregateRoot<Guid>
|
||||||
{
|
{
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// Device
|
/// Device
|
||||||
@ -20,6 +24,7 @@ namespace JiShe.CollectBus.IotSystems.Devices
|
|||||||
/// <param name="status"></param>
|
/// <param name="status"></param>
|
||||||
public Device(string number, string clientId, DateTime firstOnlineTime, DateTime lastOnlineTime, DeviceStatus status)
|
public Device(string number, string clientId, DateTime firstOnlineTime, DateTime lastOnlineTime, DeviceStatus status)
|
||||||
{
|
{
|
||||||
|
Id = Guid.NewGuid();
|
||||||
Number = number;
|
Number = number;
|
||||||
FirstOnlineTime = firstOnlineTime;
|
FirstOnlineTime = firstOnlineTime;
|
||||||
LastOnlineTime = lastOnlineTime;
|
LastOnlineTime = lastOnlineTime;
|
||||||
@ -30,6 +35,7 @@ namespace JiShe.CollectBus.IotSystems.Devices
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// 集中器编号,在集中器登录时解析获取,并会更新为当前TCP连接的最新ClientId
|
/// 集中器编号,在集中器登录时解析获取,并会更新为当前TCP连接的最新ClientId
|
||||||
/// </summary>
|
/// </summary>
|
||||||
|
[PartitionKey]
|
||||||
public string Number { get; set; }
|
public string Number { get; set; }
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
@ -55,6 +61,7 @@ namespace JiShe.CollectBus.IotSystems.Devices
|
|||||||
/// <summary>
|
/// <summary>
|
||||||
/// 设备状态
|
/// 设备状态
|
||||||
/// </summary>
|
/// </summary>
|
||||||
|
[PartitionKey]
|
||||||
public DeviceStatus Status { get; set; }
|
public DeviceStatus Status { get; set; }
|
||||||
|
|
||||||
/// <summary>
|
/// <summary>
|
||||||
|
|||||||
@ -11,19 +11,14 @@ using Volo.Abp.Domain.Entities;
|
|||||||
namespace JiShe.CollectBus.IotSystems.MessageIssueds
|
namespace JiShe.CollectBus.IotSystems.MessageIssueds
|
||||||
{
|
{
|
||||||
[CassandraTable]
|
[CassandraTable]
|
||||||
public class MessageIssued:IEntity<string>
|
public class MessageIssued: ICassandraEntity<string>
|
||||||
{
|
{
|
||||||
public string ClientId { get; set; }
|
public string ClientId { get; set; }
|
||||||
public byte[] Message { get; set; }
|
public byte[] Message { get; set; }
|
||||||
public string DeviceNo { get; set; }
|
public string DeviceNo { get; set; }
|
||||||
public IssuedEventType Type { get; set; }
|
public IssuedEventType Type { get; set; }
|
||||||
public string MessageId { get; set; }
|
public string MessageId { get; set; }
|
||||||
[Key]
|
[PartitionKey]
|
||||||
public string Id { get; set; }
|
public string Id { get; set; }
|
||||||
|
|
||||||
public object?[] GetKeys()
|
|
||||||
{
|
|
||||||
return new object[] { Id };
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@ -21,4 +21,20 @@ namespace JiShe.CollectBus.Common.Attributes
|
|||||||
{
|
{
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
[AttributeUsage(AttributeTargets.Property | AttributeTargets.Field)]
|
||||||
|
public class PartitionKeyAttribute : Attribute
|
||||||
|
{
|
||||||
|
public PartitionKeyAttribute()
|
||||||
|
{
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
[AttributeUsage(AttributeTargets.Property | AttributeTargets.Field)]
|
||||||
|
public class ClusteringKeyAttribute : Attribute
|
||||||
|
{
|
||||||
|
public ClusteringKeyAttribute()
|
||||||
|
{
|
||||||
|
}
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@ -1,13 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
|
|
||||||
namespace JiShe.CollectBus.Common.Attributes
|
|
||||||
{
|
|
||||||
[AttributeUsage(AttributeTargets.Class, Inherited = false)]
|
|
||||||
public class IgnoreJobAttribute : Attribute
|
|
||||||
{
|
|
||||||
}
|
|
||||||
}
|
|
||||||
@ -4,7 +4,7 @@ using System.Linq;
|
|||||||
using System.Text;
|
using System.Text;
|
||||||
using System.Threading.Tasks;
|
using System.Threading.Tasks;
|
||||||
|
|
||||||
namespace JiShe.CollectBus.Common.AttributeInfo
|
namespace JiShe.CollectBus.Common.Attributes
|
||||||
{
|
{
|
||||||
/// <summary>
|
/// <summary>
|
||||||
/// 排序序号
|
/// 排序序号
|
||||||
@ -1,23 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Threading.Tasks;
|
|
||||||
using Volo.Abp.EventBus;
|
|
||||||
using Volo.Abp;
|
|
||||||
|
|
||||||
namespace JiShe.CollectBus.Common.Attributes
|
|
||||||
{
|
|
||||||
[AttributeUsage(AttributeTargets.Class, Inherited = false)]
|
|
||||||
public class TopicNameAttribute : Attribute
|
|
||||||
{
|
|
||||||
public virtual string Name { get; }
|
|
||||||
|
|
||||||
public TopicNameAttribute(string name)
|
|
||||||
{
|
|
||||||
this.Name = Check.NotNullOrWhiteSpace(name, nameof(name));
|
|
||||||
}
|
|
||||||
|
|
||||||
public string GetName(Type eventType) => this.Name;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
@ -8,7 +8,7 @@ using System.Runtime.InteropServices;
|
|||||||
using System.Security.Cryptography;
|
using System.Security.Cryptography;
|
||||||
using System.Text;
|
using System.Text;
|
||||||
using System.Threading.Tasks;
|
using System.Threading.Tasks;
|
||||||
using JiShe.CollectBus.Common.AttributeInfo;
|
using JiShe.CollectBus.Common.Attributes;
|
||||||
|
|
||||||
namespace JiShe.CollectBus.Common.Helpers
|
namespace JiShe.CollectBus.Common.Helpers
|
||||||
{
|
{
|
||||||
|
|||||||
14
shared/JiShe.CollectBus.Domain.Shared/CassandraBaseEntity.cs
Normal file
14
shared/JiShe.CollectBus.Domain.Shared/CassandraBaseEntity.cs
Normal file
@ -0,0 +1,14 @@
|
|||||||
|
using System;
|
||||||
|
using System.ComponentModel.DataAnnotations;
|
||||||
|
using JiShe.CollectBus.Common.Attributes;
|
||||||
|
|
||||||
|
namespace JiShe.CollectBus
|
||||||
|
{
|
||||||
|
public class CassandraBaseEntity<TKey>: ICassandraEntity<TKey>
|
||||||
|
{
|
||||||
|
/// <summary>
|
||||||
|
/// Id
|
||||||
|
/// </summary>
|
||||||
|
public TKey Id { get; set; }
|
||||||
|
}
|
||||||
|
}
|
||||||
19
shared/JiShe.CollectBus.Domain.Shared/ICassandraEntity.cs
Normal file
19
shared/JiShe.CollectBus.Domain.Shared/ICassandraEntity.cs
Normal file
@ -0,0 +1,19 @@
|
|||||||
|
using System;
|
||||||
|
|
||||||
|
namespace JiShe.CollectBus
|
||||||
|
{
|
||||||
|
public interface ICassandraEntity<TKey>
|
||||||
|
{
|
||||||
|
TKey Id { get; set; }
|
||||||
|
}
|
||||||
|
|
||||||
|
public interface IHasCreationTime
|
||||||
|
{
|
||||||
|
DateTime CreationTime { get; set; }
|
||||||
|
}
|
||||||
|
|
||||||
|
public interface IHasLastModificationTime
|
||||||
|
{
|
||||||
|
DateTime? LastModificationTime { get; set; }
|
||||||
|
}
|
||||||
|
}
|
||||||
@ -31,4 +31,8 @@
|
|||||||
<None Remove="JiShe.CollectBus.Domain.Shared.abppkg" />
|
<None Remove="JiShe.CollectBus.Domain.Shared.abppkg" />
|
||||||
</ItemGroup>
|
</ItemGroup>
|
||||||
|
|
||||||
|
<ItemGroup>
|
||||||
|
<ProjectReference Include="..\JiShe.CollectBus.Common\JiShe.CollectBus.Common.csproj" />
|
||||||
|
</ItemGroup>
|
||||||
|
|
||||||
</Project>
|
</Project>
|
||||||
|
|||||||
@ -84,7 +84,7 @@
|
|||||||
"SaslPassword": "lixiao1980",
|
"SaslPassword": "lixiao1980",
|
||||||
"KafkaReplicationFactor": 3,
|
"KafkaReplicationFactor": 3,
|
||||||
"NumPartitions": 30,
|
"NumPartitions": 30,
|
||||||
"ServerTagName": "JiSheCollectBus2"
|
"ServerTagName": "JiSheCollectBus20"
|
||||||
},
|
},
|
||||||
"IoTDBOptions": {
|
"IoTDBOptions": {
|
||||||
"UserName": "root",
|
"UserName": "root",
|
||||||
@ -94,8 +94,7 @@
|
|||||||
"DataBaseName": "energy",
|
"DataBaseName": "energy",
|
||||||
"OpenDebugMode": true,
|
"OpenDebugMode": true,
|
||||||
"UseTableSessionPoolByDefault": false
|
"UseTableSessionPoolByDefault": false
|
||||||
},
|
},
|
||||||
"ServerTagName": "JiSheCollectBus3",
|
|
||||||
"Cassandra": {
|
"Cassandra": {
|
||||||
"ReplicationStrategy": {
|
"ReplicationStrategy": {
|
||||||
"Class": "NetworkTopologyStrategy", //策略为NetworkTopologyStrategy时才会有多个数据中心,SimpleStrategy用在只有一个数据中心的情况下
|
"Class": "NetworkTopologyStrategy", //策略为NetworkTopologyStrategy时才会有多个数据中心,SimpleStrategy用在只有一个数据中心的情况下
|
||||||
|
|||||||
Loading…
x
Reference in New Issue
Block a user