This commit is contained in:
guorui 2025-11-26 15:15:59 +08:00
commit b92ddc5c86
14 changed files with 445 additions and 81 deletions

View File

@ -167,6 +167,9 @@ namespace YunDa.Server.ISMSTcp.Configuration
//获取网关信息 //获取网关信息
public string GetGateWayBaseInfoUri => $"{BaseUrl.TrimEnd('/')}/api/services/SOMS/SecondaryCircuitInspectionItem/GetGateWayBaseInfo"; public string GetGateWayBaseInfoUri => $"{BaseUrl.TrimEnd('/')}/api/services/SOMS/SecondaryCircuitInspectionItem/GetGateWayBaseInfo";
//获取没有调用ai的巡检结果记录
public string GetFailedAiInspectionListUri => $"{BaseUrl.TrimEnd('/')}/api/services/SOMS/SecondaryCircuitInspectionItem/GetGateWayBaseInfo";
} }
} }

View File

@ -255,6 +255,49 @@ namespace YunDa.Server.ISMSTcp.Controllers
return StatusCode(500, $"服务器内部错误: {ex.Message}"); return StatusCode(500, $"服务器内部错误: {ex.Message}");
} }
private List<string> GetValidZzCmd(string cmdName, List<string> ids)
{
const int maxLength = 250;
var cmds = new List<string>();
// 开始构建
string prefix = cmdName + "|"; // 固定前缀
int prefixLength = prefix.Length;
var currentIds = new List<string>();
int currentLength = prefixLength; // 当前命令的长度(含前缀)
foreach (var id in ids)
{
// 如果添加这个ID会超长则先生成一个命令
int idLength = (currentIds.Count == 0 ? id.Length : (1 + id.Length)); // 第一个ID不需要 '#'
if (currentLength + idLength > maxLength)
{
// 将当前批次加入 cmds
cmds.Add(prefix + string.Join("#", currentIds));
// 清空并重建
currentIds.Clear();
currentLength = prefixLength;
}
// 添加新的 ID
currentIds.Add(id);
currentLength += idLength;
}
// 收尾:如果还有剩余 IDs生成最后一个命令
if (currentIds.Count > 0)
{
cmds.Add(prefix + string.Join("#", currentIds));
}
return cmds;
}
/// <summary> /// <summary>
/// 根据数据ID召唤遥测数据 /// 根据数据ID召唤遥测数据
/// </summary> /// </summary>
@ -282,9 +325,11 @@ namespace YunDa.Server.ISMSTcp.Controllers
id.RemoveAll(string.IsNullOrWhiteSpace); id.RemoveAll(string.IsNullOrWhiteSpace);
string cmd = string.Format("CallYCByDataID|{0}", string.Join("#", id)); //string cmd = string.Format("CallYCByDataID|{0}", string.Join("#", id));
System.Console.WriteLine($"发送遥测命令:{cmd}"); //System.Console.WriteLine($"发送遥测命令:{cmd}");
var cmds = GetValidZzCmd("CallYCByDataID", id);
try try
{ {
@ -299,7 +344,7 @@ namespace YunDa.Server.ISMSTcp.Controllers
}); });
} }
_logger.LogInformation("收到遥测数据召唤请求 - cmd: {cmd}", cmd); _logger.LogInformation("收到遥测数据召唤请求 - cmd: {cmd}", string.Join("#", id));
// 发送TCP消息 // 发送TCP消息
DateTime cmdTime = DateTime.Now; DateTime cmdTime = DateTime.Now;
@ -309,9 +354,24 @@ namespace YunDa.Server.ISMSTcp.Controllers
if(request.TimeWindowType == 1 || request.TimeWindowType == 2) if(request.TimeWindowType == 1 || request.TimeWindowType == 2)
{ {
for (int i = 0; i < times; i++) for (int i = 0; i < times; i++)
{
bool isSuccess = true;
foreach (var cmd in cmds)
{ {
var sendResult = await SendTcpMessageAsync(cmd, cancellationToken); var sendResult = await SendTcpMessageAsync(cmd, cancellationToken);
if (sendResult.Success) isSuccess &= sendResult.Success;
if (!isSuccess)
{
break;
}
else
{
await Task.Delay(5);
}
}
if (isSuccess)
{ {
sucessCount++; sucessCount++;
} }
@ -375,7 +435,7 @@ namespace YunDa.Server.ISMSTcp.Controllers
} }
catch (OperationCanceledException) catch (OperationCanceledException)
{ {
_logger.LogWarning("遥测数据召唤请求被取消 - cmd: {cmd}", cmd); _logger.LogWarning("遥测数据召唤请求被取消 - cmd: {cmd}", string.Join("#", id));
return StatusCode(504, new return StatusCode(504, new
{ {
success = false, success = false,
@ -385,7 +445,7 @@ namespace YunDa.Server.ISMSTcp.Controllers
} }
catch (Exception ex) catch (Exception ex)
{ {
_logger.LogError(ex, "处理遥测数据召唤请求时发生异常 - cmd: {cmd}", cmd); _logger.LogError(ex, "处理遥测数据召唤请求时发生异常 - cmd: {cmd}", string.Join("#", id));
return StatusCode(500, new return StatusCode(500, new
{ {
success = false, success = false,

View File

@ -125,6 +125,9 @@ namespace YunDa.Server.ISMSTcp.Domain
//获取网关信息 //获取网关信息
string GetGateWayBaseInfoUri { get; } string GetGateWayBaseInfoUri { get; }
//获取没有调用ai的巡检结果记录
string GetFailedAiInspectionListUri { get; }
} }
/// <summary> /// <summary>
@ -265,5 +268,8 @@ namespace YunDa.Server.ISMSTcp.Domain
//获取网关信息 //获取网关信息
public string GetGateWayBaseInfoUri => _config.GetGateWayBaseInfoUri; public string GetGateWayBaseInfoUri => _config.GetGateWayBaseInfoUri;
//获取没有调用ai的巡检结果记录
public string GetFailedAiInspectionListUri => _config.GetFailedAiInspectionListUri;
} }
} }

View File

@ -3,6 +3,7 @@ using Microsoft.Extensions.Logging;
using Newtonsoft.Json.Linq; using Newtonsoft.Json.Linq;
using System; using System;
using System.Collections.Generic; using System.Collections.Generic;
using System.Diagnostics;
using System.Linq; using System.Linq;
using System.Text; using System.Text;
using System.Threading.Tasks; using System.Threading.Tasks;
@ -919,6 +920,19 @@ namespace YunDa.Server.ISMSTcp.Domain
var result = ExtractDataFromAbpResponse<List<OpticalFiberConfigModel>>(response); var result = ExtractDataFromAbpResponse<List<OpticalFiberConfigModel>>(response);
//List<string> ids = new List<string>();
//foreach(var item in result)
//{
// ids.AddRange(item.VirtualPointCodes);
// ids.AddRange(item.LinkageDatas);
// ids.AddRange(item.LogicalExpressions);
//}
// var ids2 = ids.Where(id => id.Contains("YXB")).ToList().Distinct().ToList();
//Debug.WriteLine(string.Join("#", ids2));
return result; return result;
} }
} }
@ -945,6 +959,18 @@ namespace YunDa.Server.ISMSTcp.Domain
var result = ExtractDataFromAbpResponse<List<OpticalFiberConfigModel>>(response); var result = ExtractDataFromAbpResponse<List<OpticalFiberConfigModel>>(response);
//List<string> ids = new List<string>();
//foreach (var item in result)
//{
// ids.AddRange(item.VirtualPointCodes);
// ids.AddRange(item.LinkageDatas);
// ids.AddRange(item.LogicalExpressions);
//}
//var ids2 = ids.Where(id => id.Contains("YXB")).ToList().Distinct().ToList();
//Debug.WriteLine(string.Join("#", ids2));
return result; return result;
} }
} }
@ -1092,5 +1118,28 @@ namespace YunDa.Server.ISMSTcp.Domain
return null; return null;
} }
//获取没有调用ai的巡检结果记录
public async Task<List<SecondaryCircuitInspectionAiParamModel>> GetFailedAiInspectionListAsync()
{
try
{
var response = await Task.Run(() => ToolLibrary.HttpHelper.HttpGetRequest<JObject>(_apiEndpoints.GetFailedAiInspectionListUri));
if (response != null)
{
var result = ExtractDataFromAbpResponse<List<SecondaryCircuitInspectionAiParamModel>>(response);
return result;
}
}
catch (Exception ex)
{
_logger.LogError(ex, "Error Call GetOpticalCableConfigAsync Api");
}
return null;
}
} }
} }

View File

@ -0,0 +1,69 @@
using System;
using System.Collections.Concurrent;
using System.Collections.Generic;
using System.Threading;
using System.Threading.Channels;
using System.Threading.Tasks;
namespace YunDa.Server.ISMSTcp.Helpers
{
public class ChannelEx<T, TKey> where TKey : notnull
{
private readonly Channel<T> _channel;
private readonly ConcurrentDictionary<TKey, bool> _exists = new ConcurrentDictionary<TKey, bool>();
private readonly Func<T, TKey> _keySelector;
public ChannelEx(Func<T, TKey> keySelector)
{
_channel = Channel.CreateUnbounded<T>();
_keySelector = keySelector ?? throw new ArgumentNullException(nameof(keySelector));
}
// 判断是否有内容
public bool HasItems => !_exists.IsEmpty;
// 判断某条记录是否存在
public bool Contains(T item) => _exists.ContainsKey(_keySelector(item));
// 异步添加
public async ValueTask<bool> WriteAsync(T item)
{
if (!TryAdd(item))
return false;
await _channel.Writer.WriteAsync(item);
return true;
}
// 消费单个元素
public async ValueTask<T> ReadAsync()
{
var item = await _channel.Reader.ReadAsync();
_exists.TryRemove(_keySelector(item), out _);
return item;
}
// 封装成 IAsyncEnumerable可直接 await foreach
public async IAsyncEnumerable<T> ReadAllAsync([System.Runtime.CompilerServices.EnumeratorCancellation] CancellationToken cancellationToken = default)
{
while (await _channel.Reader.WaitToReadAsync(cancellationToken))
{
while (_channel.Reader.TryRead(out var item))
{
_exists.TryRemove(_keySelector(item), out _);
yield return item;
}
}
}
// 内部去重逻辑
private bool TryAdd(T item)
{
var key = _keySelector(item);
return _exists.TryAdd(key, true);
}
}
}

View File

@ -97,6 +97,9 @@ namespace YunDa.Server.ISMSTcp
// 注册 WebApi 配置类 // 注册 WebApi 配置类
services.Configure<WebApiSettings>(context.Configuration.GetSection("WebApi")); services.Configure<WebApiSettings>(context.Configuration.GetSection("WebApi"));
// 注册 ThingApiService配置
services.Configure<ThingApiServiceSettings>(context.Configuration.GetSection("ThingApiService"));
}) })
.UseSerilog() .UseSerilog()
.UseConsoleLifetime(); .UseConsoleLifetime();

View File

@ -24,7 +24,7 @@ namespace YunDa.Server.ISMSTcp.Services
//数据缓冲队列 //数据缓冲队列
private ZzDataCacheContainer _cacheContainer = new ZzDataCacheContainer(2 * 60 + 1);//保留2小时的数据多1分钟兼容发送送数据发送延迟情况每1小时发送一次 private ZzDataCacheContainer _cacheContainer = new ZzDataCacheContainer(ZzDataCacheContainerDataType.eGW, 2 * 60 + 1);//保留2小时的数据多1分钟兼容发送送数据发送延迟情况每1小时发送一次
public GwErrorRatioService(ILogger<AlarmService> logger, ZzDataCacheContainerInit zzDataCacheContainerInit) public GwErrorRatioService(ILogger<AlarmService> logger, ZzDataCacheContainerInit zzDataCacheContainerInit)
{ {

View File

@ -31,6 +31,8 @@ using YunDa.SOMS.DataTransferObject.DataMonitoring.SecondaryCircuitInspection;
using YunDa.SOMS.DataTransferObject.DataMonitoring.SecondaryCircuitInspection.Configurations; using YunDa.SOMS.DataTransferObject.DataMonitoring.SecondaryCircuitInspection.Configurations;
using YunDa.SOMS.DataTransferObject.MaintenanceAndOperations.SecondaryEquipment; using YunDa.SOMS.DataTransferObject.MaintenanceAndOperations.SecondaryEquipment;
using YunDa.SOMS.Entities.DataMonitoring.SecondaryCircuitInspection; using YunDa.SOMS.Entities.DataMonitoring.SecondaryCircuitInspection;
using YunDa.Server.ISMSTcp.Helpers;
using Abp.AutoMapper;
namespace YunDa.Server.ISMSTcp.Services namespace YunDa.Server.ISMSTcp.Services
{ {
@ -133,7 +135,7 @@ namespace YunDa.Server.ISMSTcp.Services
public string SecondaryCircuitInspectionItemId { get; set; } = string.Empty; public string SecondaryCircuitInspectionItemId { get; set; } = string.Empty;
public string InspectionPlanId { get; set; } = string.Empty; public string InspectionPlanId { get; set; } = string.Empty;
public DateTime ExecutionTime { get; set; } = DateTime.Now; public string ExecutionTime { get; set; } = DateTime.Now.ToString("yyyy-MM-dd HH:mm:ss");
public long ExecutionDurationMs { get; set; } public long ExecutionDurationMs { get; set; }
@ -155,8 +157,14 @@ namespace YunDa.Server.ISMSTcp.Services
public class SecondaryCircuitInspectionAiParamModel public class SecondaryCircuitInspectionAiParamModel
{ {
public string InspectionResultId { get; set; } = string.Empty; public string InspectionResultId { get; set; } = string.Empty;
public string PlanName { get; set; } = string.Empty; public string InspectionName { get; set; } = string.Empty;
public SecondaryCircuitInspectionResultSaveModel SaveModel { get; set; } public string InspectionDescription { get; set; } = string.Empty;
public string PlanName => string.Concat(InspectionName, " ", InspectionDescription);
public string Status { get; set; } = string.Empty; //"异常|正常|故障",
public string InspectionResult { get; set; } = string.Empty; //巡检结果 inspectionResult不能超过15个字符
public string CalculationProcess { get; set; } = string.Empty; //计算过程
public string VerificationResult { get; set; } = string.Empty; //校验结果
} }
public class SecondaryCircuitInspectionAiSaveModel public class SecondaryCircuitInspectionAiSaveModel
@ -184,7 +192,7 @@ namespace YunDa.Server.ISMSTcp.Services
private int _planCheckDay = 0; private int _planCheckDay = 0;
private readonly Channel<SecondaryCircuitInspectionItemOutputEx> _singlePlanChannel; //巡检计划 private readonly Channel<SecondaryCircuitInspectionItemOutputEx> _singlePlanChannel; //巡检计划
private readonly Channel<SecondaryCircuitInspectionAiParamModel> _aiChannel; //Ai调用 private readonly ChannelEx<SecondaryCircuitInspectionAiParamModel, string> _aiChannel; //Ai调用
//巡检事件 //巡检事件
private Queue<SecondaryCircuitEventDrivenConfigOutput> _eventPlanList; private Queue<SecondaryCircuitEventDrivenConfigOutput> _eventPlanList;
@ -208,7 +216,7 @@ namespace YunDa.Server.ISMSTcp.Services
_singlePlanChannel = Channel.CreateUnbounded<SecondaryCircuitInspectionItemOutputEx>(); _singlePlanChannel = Channel.CreateUnbounded<SecondaryCircuitInspectionItemOutputEx>();
_aiChannel = Channel.CreateUnbounded<SecondaryCircuitInspectionAiParamModel>(); _aiChannel = new ChannelEx<SecondaryCircuitInspectionAiParamModel, string>( item => item.InspectionResultId);
_eventPlanList = new Queue<SecondaryCircuitEventDrivenConfigOutput>(); _eventPlanList = new Queue<SecondaryCircuitEventDrivenConfigOutput>();
@ -231,6 +239,8 @@ namespace YunDa.Server.ISMSTcp.Services
await UpdateEventPlans(); await UpdateEventPlans();
//await CheckAiChannel();
await Task.Delay(30000); await Task.Delay(30000);
} }
}); });
@ -302,7 +312,7 @@ namespace YunDa.Server.ISMSTcp.Services
var rand = new Random(Guid.NewGuid().GetHashCode()); var rand = new Random(Guid.NewGuid().GetHashCode());
await foreach (var item in _aiChannel.Reader.ReadAllAsync()) await foreach (var item in _aiChannel.ReadAllAsync())
{ {
// 让每个线程在执行之间有不同的节奏 // 让每个线程在执行之间有不同的节奏
await Task.Delay(rand.Next(0, 300)); await Task.Delay(rand.Next(0, 300));
@ -525,8 +535,8 @@ namespace YunDa.Server.ISMSTcp.Services
private async Task ExecutePlan(SecondaryCircuitInspectionItemOutputEx itemEx) private async Task ExecutePlan(SecondaryCircuitInspectionItemOutputEx itemEx)
{ {
string func2 = ""; //string func2 = "";
string data2 = ""; //string data2 = "";
try try
{ {
var item = itemEx.Item; var item = itemEx.Item;
@ -554,7 +564,6 @@ namespace YunDa.Server.ISMSTcp.Services
var engine = new Jint.Engine(); var engine = new Jint.Engine();
engine.Execute(item.CalculationExpression); engine.Execute(item.CalculationExpression);
func2 = item.CalculationExpression;
ObjectInstance? saveObj = null; ObjectInstance? saveObj = null;
@ -632,7 +641,6 @@ namespace YunDa.Server.ISMSTcp.Services
var js = $"JSON.parse('{json.Replace("'", "\\'")}')"; var js = $"JSON.parse('{json.Replace("'", "\\'")}')";
data2 = json;
var jsObj = engine.Evaluate(js).ToObject(); var jsObj = engine.Evaluate(js).ToObject();
@ -685,11 +693,18 @@ namespace YunDa.Server.ISMSTcp.Services
if (!string.IsNullOrWhiteSpace(inspectionResultId) && saveData.Status != "正常") if (!string.IsNullOrWhiteSpace(inspectionResultId) && saveData.Status != "正常")
{ {
SecondaryCircuitInspectionAiParamModel aiParamModel = new SecondaryCircuitInspectionAiParamModel(); SecondaryCircuitInspectionAiParamModel aiParamModel = new SecondaryCircuitInspectionAiParamModel();
aiParamModel.InspectionResultId = inspectionResultId;
aiParamModel.PlanName = $"{itemEx.Item.Name} {itemEx.Item.Description}";
aiParamModel.SaveModel = saveData;
_aiChannel.Writer.WriteAsync(aiParamModel); aiParamModel.InspectionResultId = inspectionResultId;
aiParamModel.InspectionName = item.Name;
aiParamModel.InspectionDescription = item.Description;
aiParamModel.Status = saveData.Status;
aiParamModel.InspectionResult = saveData.InspectionResult;
aiParamModel.CalculationProcess = saveData.CalculationProcess;
aiParamModel.VerificationResult = saveData.VerificationResult;
_aiChannel.WriteAsync(aiParamModel);
} }
} }
@ -702,6 +717,20 @@ namespace YunDa.Server.ISMSTcp.Services
} }
} }
//获取没有调用Ai接口或调用失败的巡检记录结果
private async Task CheckAiChannel()
{
if (!_aiChannel.HasItems)
{
var list = await _webApiRequest.GetFailedAiInspectionListAsync();
if (list != null)
{
foreach (var item in list)
await _aiChannel.WriteAsync(item);
}
}
}
private async Task CallAiAndSave(SecondaryCircuitInspectionAiParamModel aiParamModel) private async Task CallAiAndSave(SecondaryCircuitInspectionAiParamModel aiParamModel)
{ {
try try
@ -767,10 +796,10 @@ namespace YunDa.Server.ISMSTcp.Services
sb.AppendLine(aiParamModel.PlanName); sb.AppendLine(aiParamModel.PlanName);
sb.AppendLine(); sb.AppendLine();
sb.AppendLine("巡检结果为:"); sb.AppendLine("巡检结果为:");
sb.AppendLine($"巡检状态: {aiParamModel.SaveModel.Status}"); sb.AppendLine($"巡检状态: {aiParamModel.Status}");
sb.AppendLine($"计算过程: {aiParamModel.SaveModel.CalculationProcess}"); sb.AppendLine($"计算过程: {aiParamModel.CalculationProcess}");
sb.AppendLine($"巡检结果: {aiParamModel.SaveModel.InspectionResult}"); sb.AppendLine($"巡检结果: {aiParamModel.InspectionResult}");
sb.AppendLine($"校验结果: {aiParamModel.SaveModel.VerificationResult}"); sb.AppendLine($"校验结果: {aiParamModel.VerificationResult}");
sb.AppendLine(); sb.AppendLine();
sb.AppendLine(); sb.AppendLine();
@ -799,10 +828,10 @@ namespace YunDa.Server.ISMSTcp.Services
// 巡检结果 // 巡检结果
sb.AppendLine("巡检结果为:"); sb.AppendLine("巡检结果为:");
sb.AppendLine($"巡检状态: {aiParamModel.SaveModel.Status}"); sb.AppendLine($"巡检状态: {aiParamModel.Status}");
sb.AppendLine($"计算过程: {aiParamModel.SaveModel.CalculationProcess}"); sb.AppendLine($"计算过程: {aiParamModel.CalculationProcess}");
sb.AppendLine($"巡检结果: {aiParamModel.SaveModel.InspectionResult}"); sb.AppendLine($"巡检结果: {aiParamModel.InspectionResult}");
sb.AppendLine($"校验结果: {aiParamModel.SaveModel.VerificationResult}"); sb.AppendLine($"校验结果: {aiParamModel.VerificationResult}");
sb.AppendLine(); sb.AppendLine();
sb.AppendLine(); sb.AppendLine();
@ -1009,7 +1038,7 @@ namespace YunDa.Server.ISMSTcp.Services
////获取遥测数据 ////获取遥测数据
//public async Task<List<YCResultData>> CallYCByDataIdAsync(CallYCByDataIdRequest request, CancellationToken cancellationToken = default) //public async Task<List<ZzDataResultModel>> CallYCByDataIdAsync(ZzDataRequestModel request, CancellationToken cancellationToken = default)
//{ //{
// try // try
// { // {
@ -1025,13 +1054,13 @@ namespace YunDa.Server.ISMSTcp.Services
// JArray jArray = obj.Value<JArray>("data"); // JArray jArray = obj.Value<JArray>("data");
// if (jArray != null) // if (jArray != null)
// { // {
// List<YCResultData> list = jArray.ToObject<List<YCResultData>>(); // List<ZzDataResultModel> list = jArray.ToObject<List<ZzDataResultModel>>();
// return list; // return list;
// } // }
// } // }
// } // }
// catch(Exception ex) // catch (Exception ex)
// { // {
// _logger.LogError(ex, "SecondaryCircuitInspectionPlanService - CallYCByDataIdAsync发生错误"); // _logger.LogError(ex, "SecondaryCircuitInspectionPlanService - CallYCByDataIdAsync发生错误");
// } // }

View File

@ -67,7 +67,7 @@ namespace YunDa.Server.ISMSTcp.Services
//private readonly Timer _cleanupTimer; //private readonly Timer _cleanupTimer;
//private const int CLEANUP_INTERVAL_MS = 60000; // 1分钟清理一次 //private const int CLEANUP_INTERVAL_MS = 60000; // 1分钟清理一次
//private const int DATA_EXPIRATION_MINUTES = 5; // 数据保留5分钟 //private const int DATA_EXPIRATION_MINUTES = 5; // 数据保留5分钟
private ZzDataCacheContainer _zzDataCacheContainer = new ZzDataCacheContainer(3); // 数据保留3分钟 private ZzDataCacheContainer _zzDataCacheContainer = new ZzDataCacheContainer(ZzDataCacheContainerDataType.eYC, 3); // 数据保留3分钟
// 初始化状态 // 初始化状态
public volatile bool _isInitialized = false; public volatile bool _isInitialized = false;
@ -101,6 +101,8 @@ namespace YunDa.Server.ISMSTcp.Services
// 🔧 新增:初始化数据清理定时器 // 🔧 新增:初始化数据清理定时器
//_cleanupTimer = new Timer(CleanupExpiredData, null, CLEANUP_INTERVAL_MS, CLEANUP_INTERVAL_MS); //_cleanupTimer = new Timer(CleanupExpiredData, null, CLEANUP_INTERVAL_MS, CLEANUP_INTERVAL_MS);
_zzDataCacheContainer.SetTelemeteringHandle(this);
} }
/// <summary> /// <summary>
@ -420,11 +422,6 @@ namespace YunDa.Server.ISMSTcp.Services
// 保存到Redis // 保存到Redis
await _telemeteringModelListRedis.HashSetUpdateOneAsync(redisKey, haskey, telemeteringModel); await _telemeteringModelListRedis.HashSetUpdateOneAsync(redisKey, haskey, telemeteringModel);
//if(ycDataModel.YC_ID == "YCB001101001")
//{
// Debug.WriteLine("YCB001101001 : ", ycDataModel.V.ToString(), telemeteringModel.ResultValue.ToString(), telemeteringModel.Coefficient.ToString());
//}
//保存到缓存 //保存到缓存
_zzDataCacheContainer.Write(ycDataModel.YC_ID, (float)ycDataModel.V, telemeteringModel.ResultTime, telemeteringModel.Name, $"{(float)ycDataModel.V} {telemeteringModel.Unit}", telemeteringModel.DispatcherAddress); _zzDataCacheContainer.Write(ycDataModel.YC_ID, (float)ycDataModel.V, telemeteringModel.ResultTime, telemeteringModel.Name, $"{(float)ycDataModel.V} {telemeteringModel.Unit}", telemeteringModel.DispatcherAddress);
@ -461,6 +458,10 @@ namespace YunDa.Server.ISMSTcp.Services
// 简化的批量推送处理 // 简化的批量推送处理
CollectTelemeteringDataForBatchPush(batchTelemeteringModels); CollectTelemeteringDataForBatchPush(batchTelemeteringModels);
//将状态推送到孪生体
_thingService.UpdateThingYCStatus(batchTelemeteringModels);
} }
// 等待所有数据变位信号API调用完成不阻塞主流程 // 等待所有数据变位信号API调用完成不阻塞主流程
@ -673,6 +674,27 @@ namespace YunDa.Server.ISMSTcp.Services
return result; return result;
} }
public async Task<TelemeteringModel?> GetDataFromRedis(string ycId)
{
string redisKey = $"{_telemeteringModelListRediskey}_Zongzi";
if (!_ycIdToHashKeysMapping.TryGetValue(ycId, out List<string> haskeys))
{
return null;
}
if (haskeys.Count >= 0)
{
string haskey = haskeys.First();
var telemeteringModel = await _telemeteringModelListRedis.HashSetGetOneAsync(redisKey, haskey);
return telemeteringModel;
}
return null;
}
/// <summary> /// <summary>

View File

@ -53,7 +53,7 @@ namespace YunDa.Server.ISMSTcp.Services
private readonly object _expressionInitLock = new object(); private readonly object _expressionInitLock = new object();
//遥信数据缓冲队列 //遥信数据缓冲队列
private ZzDataCacheContainer _zzDataCacheContainer = new ZzDataCacheContainer(30); //只保留5分钟的数据 private ZzDataCacheContainer _zzDataCacheContainer = new ZzDataCacheContainer(ZzDataCacheContainerDataType.eYX, 30); //只保留5分钟的数据
@ -140,6 +140,7 @@ namespace YunDa.Server.ISMSTcp.Services
// 这里使用模型中的地址信息 // 这里使用模型中的地址信息
string haskey = $"{model.DeviceAddress}_0_{model.DispatcherAddress}_0"; string haskey = $"{model.DeviceAddress}_0_{model.DispatcherAddress}_0";
if (_yxIdToHashKeyMapping.TryAdd(model.ismsbaseYXId, haskey)) if (_yxIdToHashKeyMapping.TryAdd(model.ismsbaseYXId, haskey))
{ {
mappingCount++; mappingCount++;

View File

@ -1,4 +1,5 @@
using Microsoft.Extensions.Logging; using Microsoft.Extensions.Logging;
using Microsoft.Extensions.Options;
using Newtonsoft.Json.Linq; using Newtonsoft.Json.Linq;
using StackExchange.Redis; using StackExchange.Redis;
using System; using System;
@ -30,6 +31,15 @@ using static System.Net.Mime.MediaTypeNames;
namespace YunDa.Server.ISMSTcp.Services namespace YunDa.Server.ISMSTcp.Services
{ {
//ThingApiService配置
public class ThingApiServiceSettings
{
public string ApiServerUrl { get; set; } = string.Empty;
public string LoginCode { get; set; } = string.Empty;
public string LoginKey { get; set; } = string.Empty;
public string EsAuthorization { get; set; } = string.Empty;
}
public class ThingDeviceStatusModel public class ThingDeviceStatusModel
{ {
public string TwinID { get; set; } = string.Empty; public string TwinID { get; set; } = string.Empty;
@ -622,19 +632,35 @@ namespace YunDa.Server.ISMSTcp.Services
await UpdateOpticalCableAlarmStatus(null, telesignalisationModels); await UpdateOpticalCableAlarmStatus(null, telesignalisationModels);
} }
//推送全体性能数据 //推送全体性能数据
private int _updateAllSimDatasCnt = 0;
private async Task UpdateAllSimDatas() private async Task UpdateAllSimDatas()
{ {
/*******************推送遥测全体性能数据/*******************/ /*******************推送遥测全体性能数据/*******************/
var telemeteringModels = await _telemeteringModelListRedis.HashSetGetAllAsync(_telemeteringModelListRediskey); var telemeteringModels = await _telemeteringModelListRedis.HashSetGetAllAsync(_telemeteringModelListRediskey);
await UpdateYCSimDatasStatus(telemeteringModels);
/*******************推送遥信全体性能数据/*******************/ /*******************推送遥信全体性能数据/*******************/
var telesignalisationModels = await _telesignalisationModelListRedis.HashSetGetAllAsync(_telesignalisationModelListRediskey); var telesignalisationModels = await _telesignalisationModelListRedis.HashSetGetAllAsync(_telesignalisationModelListRediskey);
if(_updateAllSimDatasCnt == 0)
{
await UpdateThingYCStatus(telemeteringModels);
await UpdateThingYXStatus(telesignalisationModels);
}
else
{
await UpdateYCSimDatasStatus(telemeteringModels);
await UpdateYXSimDatasStatus(telesignalisationModels); await UpdateYXSimDatasStatus(telesignalisationModels);
} }
++_updateAllSimDatasCnt;
}
//推送遥测性能数据 //推送遥测性能数据
private async Task UpdateYCSimDatasStatus(List<TelemeteringModel> telemeteringModels) private async Task UpdateYCSimDatasStatus(List<TelemeteringModel> telemeteringModels)
{ {
@ -657,11 +683,6 @@ namespace YunDa.Server.ISMSTcp.Services
{ {
if (_simDatasConfig.TryGetValue(equipmentInfoId, out var bindingItem)) if (_simDatasConfig.TryGetValue(equipmentInfoId, out var bindingItem))
{ {
//if (bindingItem.TwinId == "2F-kzs-024")
//{
// int k = 0;
//}
if (bindingItem.IsActive) if (bindingItem.IsActive)
{ {
var status = new ThingDeviceStatusModel { TwinID = bindingItem.TwinId.Trim(), Metric = item.Name.Trim(), Val = $"{item.ResultValue} {item.Unit}" }; var status = new ThingDeviceStatusModel { TwinID = bindingItem.TwinId.Trim(), Metric = item.Name.Trim(), Val = $"{item.ResultValue} {item.Unit}" };
@ -780,6 +801,13 @@ namespace YunDa.Server.ISMSTcp.Services
/******************网线、光纤、光缆*****************/ /******************网线、光纤、光缆*****************/
private static bool IsYxValueAlarm(string valStr)
{
string[] err = { "分", "未同步", "告警", "异常", "断", "未就绪", "无效", "异常", "未复归", "动作", "检修", "未储能", "跳闸", "失步", "分位" };
return err.Contains(valStr);
}
//更新网线配置 //更新网线配置
private async Task UpdateNetworkCableConfig() private async Task UpdateNetworkCableConfig()
{ {
@ -828,8 +856,8 @@ namespace YunDa.Server.ISMSTcp.Services
{ {
if (!string.IsNullOrWhiteSpace(item.ismsbaseYXId)) if (!string.IsNullOrWhiteSpace(item.ismsbaseYXId))
{ {
var configItem = _networkCableConfig.FirstOrDefault(e => e.LogicalExpressions.Contains(item.ismsbaseYXId)); var configItems = _networkCableConfig.Where(e => e.LogicalExpressions.Contains(item.ismsbaseYXId));
if (configItem != null) foreach (var configItem in configItems)
{ {
if (configItem.IsActive) if (configItem.IsActive)
{ {
@ -838,7 +866,7 @@ namespace YunDa.Server.ISMSTcp.Services
alertData.Parse( alertData.Parse(
configItem.TwinId, configItem.TwinId,
2, 2,
item.ResultValue == 1, IsYxValueAlarm(item.ResultValueStr),
$"{configItem.P1DeviceName}{configItem.P2DeviceName}", $"{configItem.P1DeviceName}{configItem.P2DeviceName}",
"网线断线", "网线断线",
item.ResultTime.ToString("yyyy-MM-dd HH:mm:ss") item.ResultTime.ToString("yyyy-MM-dd HH:mm:ss")
@ -924,8 +952,8 @@ namespace YunDa.Server.ISMSTcp.Services
{ {
if (!string.IsNullOrWhiteSpace(item.VA_ID)) if (!string.IsNullOrWhiteSpace(item.VA_ID))
{ {
var configItem = configs.FirstOrDefault(e => e.VirtualPointCodes.Contains(item.VA_ID)); var configItems = configs.Where(e => e.VirtualPointCodes.Contains(item.VA_ID));
if (configItem != null) foreach (var configItem in configItems)
{ {
if (configItem.IsActive) if (configItem.IsActive)
{ {
@ -965,10 +993,10 @@ namespace YunDa.Server.ISMSTcp.Services
if (!string.IsNullOrWhiteSpace(item.ismsbaseYCId)) if (!string.IsNullOrWhiteSpace(item.ismsbaseYCId))
{ {
//性能数据 //性能数据
var configItem = configs.FirstOrDefault(e => e.LinkageDatas.Contains(item.ismsbaseYCId)); var configItems = configs.Where(e => e.LinkageDatas.Contains(item.ismsbaseYCId));
if (configItem != null) foreach (var configItem in configItems)
{ {
if(configItem.IsActive) if (configItem.IsActive)
{ {
var status = new ThingDeviceStatusModel { TwinID = configItem.TwinId.Trim(), Metric = item.Name.Trim(), Val = $"{item.ResultValue} {item.Unit}" }; var status = new ThingDeviceStatusModel { TwinID = configItem.TwinId.Trim(), Metric = item.Name.Trim(), Val = $"{item.ResultValue} {item.Unit}" };
@ -985,8 +1013,8 @@ namespace YunDa.Server.ISMSTcp.Services
foreach (var item in telesignalisationModels) foreach (var item in telesignalisationModels)
{ {
//报警 //报警
var configItem = configs.FirstOrDefault(e => e.VirtualPointCodes.Contains(item.ismsbaseYXId)); var configItems = configs.Where(e => e.VirtualPointCodes.Contains(item.ismsbaseYXId));
if (configItem != null) foreach (var configItem in configItems)
{ {
if (configItem.IsActive) if (configItem.IsActive)
{ {
@ -995,7 +1023,7 @@ namespace YunDa.Server.ISMSTcp.Services
alertData.Parse( alertData.Parse(
configItem.TwinId, configItem.TwinId,
2, 2,
item.ResultValue == 1, IsYxValueAlarm(item.ResultValueStr),
$"{configItem.P1DeviceName}{configItem.P2DeviceName}", $"{configItem.P1DeviceName}{configItem.P2DeviceName}",
"光纤断线", "光纤断线",
item.ResultTime.ToString("yyyy-MM-dd HH:mm:ss") item.ResultTime.ToString("yyyy-MM-dd HH:mm:ss")
@ -1006,8 +1034,8 @@ namespace YunDa.Server.ISMSTcp.Services
} }
//性能数据 //性能数据
configItem = configs.FirstOrDefault(e => e.LinkageDatas.Contains(item.ismsbaseYXId)); configItems = configs.Where(e => e.LinkageDatas.Contains(item.ismsbaseYXId));
if (configItem != null) foreach (var configItem in configItems)
{ {
if (configItem.IsActive) if (configItem.IsActive)
{ {
@ -1111,8 +1139,8 @@ namespace YunDa.Server.ISMSTcp.Services
{ {
if (!string.IsNullOrWhiteSpace(item.VA_ID)) if (!string.IsNullOrWhiteSpace(item.VA_ID))
{ {
var configItem = configs.FirstOrDefault(e => e.LogicalExpressions.Contains(item.VA_ID)); var configItems = configs.Where(e => e.LogicalExpressions.Contains(item.VA_ID));
if (configItem != null) foreach (var configItem in configItems)
{ {
if (configItem.IsActive) if (configItem.IsActive)
{ {
@ -1153,8 +1181,8 @@ namespace YunDa.Server.ISMSTcp.Services
if (!string.IsNullOrWhiteSpace(item.ismsbaseYXId)) if (!string.IsNullOrWhiteSpace(item.ismsbaseYXId))
{ {
//报警 //报警
var configItem = configs.FirstOrDefault(e => e.LogicalExpressions.Contains(item.ismsbaseYXId)); var configItems = configs.Where(e => e.LogicalExpressions.Contains(item.ismsbaseYXId));
if (configItem != null) foreach (var configItem in configItems)
{ {
if (configItem.IsActive) if (configItem.IsActive)
{ {
@ -1163,7 +1191,7 @@ namespace YunDa.Server.ISMSTcp.Services
alertData.Parse( alertData.Parse(
configItem.TwinId, configItem.TwinId,
2, 2,
item.ResultValue == 1, IsYxValueAlarm(item.ResultValueStr),
$"{configItem.P1CabinetName}{configItem.P2CabinetName}", $"{configItem.P1CabinetName}{configItem.P2CabinetName}",
"光缆断线", "光缆断线",
item.ResultTime.ToString("yyyy-MM-dd HH:mm:ss") item.ResultTime.ToString("yyyy-MM-dd HH:mm:ss")
@ -1213,14 +1241,36 @@ namespace YunDa.Server.ISMSTcp.Services
private DateTime _apiTokenTime = DateTime.MinValue; private DateTime _apiTokenTime = DateTime.MinValue;
private readonly SemaphoreSlim _apiTokenSemaphore = new SemaphoreSlim(1, 1); private readonly SemaphoreSlim _apiTokenSemaphore = new SemaphoreSlim(1, 1);
private readonly ThingApiServiceSettings _thingApiServiceSettings;
public ThingApiService( public ThingApiService(
ILogger<ThingApiService> logger) ILogger<ThingApiService> logger,
IOptions<ThingApiServiceSettings> thingApiServiceSettings)
{ {
_logger = logger ?? throw new ArgumentNullException(nameof(logger)); _logger = logger ?? throw new ArgumentNullException(nameof(logger));
_deviceStatusChannel = Channel.CreateUnbounded<List<ThingDeviceStatusModel>>(); _deviceStatusChannel = Channel.CreateUnbounded<List<ThingDeviceStatusModel>>();
_alarmDataChannel = Channel.CreateUnbounded<List<TingAlarmPushDataModel>>(); _alarmDataChannel = Channel.CreateUnbounded<List<TingAlarmPushDataModel>>();
_thingApiServiceSettings = thingApiServiceSettings.Value;
if (!string.IsNullOrWhiteSpace(_thingApiServiceSettings.ApiServerUrl))
_apiServerUrl = _thingApiServiceSettings.ApiServerUrl;
if (!string.IsNullOrWhiteSpace(_thingApiServiceSettings.LoginCode))
_loginCode = _thingApiServiceSettings.LoginCode;
if (!string.IsNullOrWhiteSpace(_thingApiServiceSettings.LoginKey))
_loginKey = _thingApiServiceSettings.LoginKey;
if (!string.IsNullOrWhiteSpace(_thingApiServiceSettings.EsAuthorization))
_esAuthorization = _thingApiServiceSettings.EsAuthorization;
System.Console.WriteLine($"ThingApiService Url: {_apiServerUrl}");
StartPushDeviceStatus(); StartPushDeviceStatus();
StarPushAlarmStatus(); StarPushAlarmStatus();

View File

@ -34,7 +34,7 @@ namespace YunDa.Server.ISMSTcp.Services
//数据缓冲队列 //数据缓冲队列
private ZzDataCacheContainer _zzDataCacheContainer = new ZzDataCacheContainer(5); private ZzDataCacheContainer _zzDataCacheContainer = new ZzDataCacheContainer(ZzDataCacheContainerDataType.eVA, 5);
public VirtualTerminalHandler(ILogger<VirtualTerminalHandler> logger, WebApiRequest webApiRequest, ZzDataCacheContainerInit zzDataCacheContainerInit) public VirtualTerminalHandler(ILogger<VirtualTerminalHandler> logger, WebApiRequest webApiRequest, ZzDataCacheContainerInit zzDataCacheContainerInit)
@ -375,7 +375,19 @@ namespace YunDa.Server.ISMSTcp.Services
{ {
try try
{ {
_zzDataCacheContainer.Write(id, value, timestamp, ""); string valStr = "不定";
switch((int)value)
{
case 0:
valStr = "报警";
break;
case 1:
valStr = "正常";
break;
}
_zzDataCacheContainer.Write(id, value, timestamp, "", valStr);
} }
catch (Exception ex) catch (Exception ex)
{ {

View File

@ -1,8 +1,11 @@
using Microsoft.Extensions.Logging; using Google.Protobuf.WellKnownTypes;
using Microsoft.Extensions.Logging;
using Microsoft.Identity.Client;
using Org.BouncyCastle.Utilities; using Org.BouncyCastle.Utilities;
using System; using System;
using System.Collections.Concurrent; using System.Collections.Concurrent;
using System.Collections.Generic; using System.Collections.Generic;
using System.ComponentModel.DataAnnotations;
using System.Diagnostics; using System.Diagnostics;
using System.Linq; using System.Linq;
using System.Threading; using System.Threading;
@ -37,11 +40,14 @@ namespace YunDa.Server.ISMSTcp.Services
public double Value { get; set; } public double Value { get; set; }
public string ValueStr { get; set; } = string.Empty; public string ValueStr { get; set; } = string.Empty;
public DateTime TimeStamp { get; set; } public DateTime TimeStamp { get; set; }
public uint ValCount { get; set; } = 0;
public DateTime StartTimeStamp { get; set; } = DateTime.MinValue;
///////////////////////////////////////////////////////////////////////////////////// /////////////////////////////////////////////////////////////////////////////////////
private readonly ConcurrentQueue<(DateTime time, ZzDataPoint point)> _queue = new ConcurrentQueue<(DateTime time, ZzDataPoint point)>(); private readonly ConcurrentQueue<(DateTime time, ZzDataPoint point)> _queue = new ConcurrentQueue<(DateTime time, ZzDataPoint point)>();
public ConcurrentQueue<(DateTime time, ZzDataPoint point)> Datas => _queue;
public ZzData(int minutes, string id, string name, int dispatcherAddress) public ZzData(int minutes, string id, string name, int dispatcherAddress)
@ -57,7 +63,7 @@ namespace YunDa.Server.ISMSTcp.Services
{ {
DateTime now = DateTime.Now; DateTime now = DateTime.Now;
point.TimeStamp = now; //2025-11-18 用当前时间(临时修改) point.TimeStamp = now; //2025-11-18 用当前时间
_queue.Enqueue((now, point)); _queue.Enqueue((now, point));
@ -65,6 +71,13 @@ namespace YunDa.Server.ISMSTcp.Services
Value = point.Value; Value = point.Value;
ValueStr = point.ValueStr; ValueStr = point.ValueStr;
//////////////////////////////
ValCount++;
if(StartTimeStamp == DateTime.MinValue)
StartTimeStamp = now;
CleanupOldData(); CleanupOldData();
} }
@ -97,6 +110,7 @@ namespace YunDa.Server.ISMSTcp.Services
{ {
public string Id { get; set; } = string.Empty; public string Id { get; set; } = string.Empty;
public string Name { get; set; } = string.Empty; public string Name { get; set; } = string.Empty;
public string DeviceName { get; set; } = string.Empty;
public int? DispatcherAddress { get; set; } = null; public int? DispatcherAddress { get; set; } = null;
public double Value { get; set; } public double Value { get; set; }
public string ValueStr { get; set; } = string.Empty; public string ValueStr { get; set; } = string.Empty;
@ -124,17 +138,35 @@ namespace YunDa.Server.ISMSTcp.Services
public string Id { get; set; } = string.Empty; public string Id { get; set; } = string.Empty;
public string Name { get; set; } = string.Empty; public string Name { get; set; } = string.Empty;
} }
public enum ZzDataCacheContainerDataType
{
eYC = 0, //遥测
eYX, //遥信
eVA, //虚点
eGW //网关
}
public class ZzDataCacheContainer public class ZzDataCacheContainer
{ {
private readonly ConcurrentDictionary<string, ZzData> _datas = new ConcurrentDictionary<string, ZzData>(); private readonly ConcurrentDictionary<string, ZzData> _datas = new ConcurrentDictionary<string, ZzData>();
private readonly int _cleanupMinutes = 5; private readonly int _cleanupMinutes = 5;
public ZzDataCacheContainer(int cleanupMinutes) private ZzDataCacheContainerDataType _dataType = ZzDataCacheContainerDataType.eYC;
private TelemeteringHandle? _telemeteringHandle = null;
public ZzDataCacheContainer(ZzDataCacheContainerDataType dataType, int cleanupMinutes)
{ {
_dataType = dataType;
_cleanupMinutes = cleanupMinutes; _cleanupMinutes = cleanupMinutes;
} }
public void SetTelemeteringHandle(TelemeteringHandle handle)
{
_telemeteringHandle = handle;
}
public void Write(string id, double val, DateTime time, string name) public void Write(string id, double val, DateTime time, string name)
{ {
var data = _datas.GetOrAdd(id, _ => new ZzData(_cleanupMinutes, id, name, 0)); var data = _datas.GetOrAdd(id, _ => new ZzData(_cleanupMinutes, id, name, 0));
@ -160,7 +192,7 @@ namespace YunDa.Server.ISMSTcp.Services
data.AddData(new ZzDataPoint(time, val, valStr)); data.AddData(new ZzDataPoint(time, val, valStr));
} }
public Dictionary<string, ZzDataResultModel> Read(List<string> ids, DateTime start, DateTime end) public async Task<Dictionary<string, ZzDataResultModel>> Read(List<string> ids, DateTime start, DateTime end)
{ {
var result = new Dictionary<string, ZzDataResultModel>(); var result = new Dictionary<string, ZzDataResultModel>();
@ -177,13 +209,35 @@ namespace YunDa.Server.ISMSTcp.Services
ZzDataResultModel data = new ZzDataResultModel(channel); ZzDataResultModel data = new ZzDataResultModel(channel);
data.Data = channel.GetData(start, end); data.Data = channel.GetData(start, end);
if(data.Data.Count == 0 && data.TimeStamp != DateTime.MinValue) bool isFind = data.Data.Count > 0;
if (data.Data.Count == 0 && data.TimeStamp != DateTime.MinValue)
{ {
ZzDataPoint zzDataPoint = new ZzDataPoint(DateTime.Now, data.Value, data.ValueStr); ZzDataPoint zzDataPoint = new ZzDataPoint(DateTime.Now, data.Value, data.ValueStr.Replace(" ", ""));
data.Data.Add(zzDataPoint); data.Data.Add(zzDataPoint);
} }
if (_telemeteringHandle != null &&_dataType == ZzDataCacheContainerDataType.eYC && id == "YCB001103003")
{
if (data.Data.Where(e => Math.Abs(e.Value) < 0.0001).Count() == data.Data.Count)
{
string time = DateTime.Now.ToString("yyy/MM/dd HH:mm:ss");
System.Console.WriteLine($"【{time}】: {id}所有值为0[{data.Data.Count}]:状态:{isFind} Cache长度{channel.Datas.Count}, Cache时间{channel.StartTimeStamp.ToString("yyy/MM/dd HH:mm:ss")} ~ {channel.TimeStamp.ToString("yyy/MM/dd HH:mm:ss")}, 最后一个值:{channel.ValueStr}");
var redisData = await _telemeteringHandle.GetDataFromRedis(id);
if (redisData != null)
{
System.Console.WriteLine($"【{time}】: {id}在Redis中的值为{redisData.ResultValue} - {redisData.ResultTime }");
}
else
{
System.Console.WriteLine($"【{time}】: {id}在Redis中没有找到");
}
}
}
result[id] = data; result[id] = data;
} }
@ -205,7 +259,7 @@ namespace YunDa.Server.ISMSTcp.Services
if (timeWindowType == 0 || timeWindowType == 2) if (timeWindowType == 0 || timeWindowType == 2)
{ {
matched1 = Read(ids, now.AddSeconds(-seconds), now); matched1 = await Read(ids, now.AddSeconds(-seconds), now);
} }
if (timeWindowType == 1 || timeWindowType == 2) if (timeWindowType == 1 || timeWindowType == 2)
@ -214,7 +268,7 @@ namespace YunDa.Server.ISMSTcp.Services
if(span > 0) if(span > 0)
await Task.Delay(span, cancellationToken); await Task.Delay(span, cancellationToken);
matched2 = Read(ids, now, DateTime.Now); matched2 = await Read(ids, now, DateTime.Now);
} }
foreach (var kv in matched2) foreach (var kv in matched2)
@ -272,14 +326,14 @@ namespace YunDa.Server.ISMSTcp.Services
{ {
string cmd = "CallVAByStat|B001"; string cmd = "CallVAByStat|B001";
for (int i = 0; i < 3; i++) for (int i = 0; i < 5; i++)
{ {
var sendResult = await _zTcpService.SendTcpMessageAsync(cmd, CancellationToken.None); var sendResult = await _zTcpService.SendTcpMessageAsync(cmd, CancellationToken.None);
if (sendResult.Success) if (sendResult.Success)
{ {
break; break;
} }
await Task.Delay(1000); await Task.Delay(2000);
} }
} }
} }

View File

@ -52,6 +52,12 @@
"EnableCors": true, "EnableCors": true,
"AllowedOrigins": ["*"] "AllowedOrigins": ["*"]
}, },
"ThingApiService":{
"ApiServerUrl": "http://192.168.81.22",
"LoginCode": "admin",
"LoginKey": "Thing@123",
"EsAuthorization": "admin:uino",
},
"CommunicationFramework": { "CommunicationFramework": {
"Port": 7110, "Port": 7110,
"WorkerThreads": 4, "WorkerThreads": 4,