search
HomeBackend DevelopmentC#.Net TutorialC# Message Queuing Application-2

Inside this array, the CWorker class creates an implementation
of the CWorkerThread class. CWorkerThread A class (discussed below) is an abstract class that must be inherited. The exported
class defines how messages are processed:
aThreads = new ArrayList();
for (int idx=0; idx〈sfWorker.NumberThreads; idx++)
{
  WorkerThreadFormatter wfThread = new WorkerThreadFormatter();
  wfThread.PRocessName = sfWorker.ProcessName;
  wfThread.ProcessDesc = sfWorker.ProcessDesc;
  wfThread.ThreadNumber = idx;
  wfThread.InputQueue = sfWorker.InputQueue;
  wfThread.ErrorQueue = sfWorker.ErrorQueue;
  wfThread.OutputName = sfWorker.OutputName;
  // Define the auxiliary type and insert it into the auxiliary thread structure
  CWorkerThread wtBase;
  switch (sfWorker.ProcessType)
  {
  case WorkerFormatter.SFProcessType.ProcessRoundRobin:
  wtBase = new CWorkerThreadRoundRobin(this, wfThread);
   break;
  case WorkerFormatter.SFProcessType.ProcessAppSpecific:
   wtBase = new CWorkerThreadAppSpecific(this, wfThread);
   break;
  case WorkerFormatter.SFProcessType.ProcessAssembly:
  wtBase = new CWorkerThreadAssembly(this, wfThread);
  break;
 default:
   throw new Exception("Unknown Processing Type");
  }
  // Add a call to the array
  aThreads.Insert(idx, wtBase);
}

Once all objects have been created, you can start them by calling the Start method of each thread object:
foreach(CWorkerThread cThread in aThreads)
 cThread.Start();

 The Stop, Pause and Continue methods perform similar operations in the foreach loop.

Stop method has the following garbage collection operations:
GC.SuppressFinalize(this);

  The Stop method will be called in the class destructor, so that the object can be terminated correctly without explicitly calling the Stop method

. If Stop is called method, there will be no need to parse the
constructor. The SuppressFinalize method prevents calling the object's Finalize method (the actual implementation of the constructor).

CWorkerThread abstract class

 CWorkerThread is a class composed of CWorkerThreadAppSpecifc, CWorkerThread

RoundRobin and Abstract class inherited by CWorkerThreadAssembly. No matter how you handle the message, most of the processing of the queue is the same, so the CWorkerThread class provides this functionality.

This class provides abstract methods (which must be replaced by real methods) to manage resources and handle messages.

 The work of the class is once again accomplished through the Start, Stop, Pause and Continue methods.
The input and error queues are referenced in the Start method. exist In the .NET framework, messages are handled by the System.
Messaging namespace:
// Try to open the queue and set the default read and write properties

MessageQueue mqInput = new MessageQueue(sInputQueue);

mqInput.MessageReadPropertyFilter.Body = true;
mqInput.MessageReadPropertyFilter.AppSpecific = true;
MessageQueue mqError = new MessageQueue(sErrorQueue);
// If using MSMQ COM, set the formatter to ActiveX
mqInput.Formatter = new ActiveXMessageFormatter();
mqError.Formatter = new ActiveXMessageFormatter();

Once the message queue reference is defined, a thread is created for the actual processing function
(called ProcessMessages). In the .NET Framework, use System.Threading
namespace makes it easy to implement threading:
procMessage = new Thread(new ThreadStart(ProcessMessages));

procMessage.Start();


 The ProcessMessages function is a processing loop based on Boolean values. When the value is set to
False, the processing loop will terminate. Therefore, the thread object's Stop The method only sets this Boolean
value, then closes the open message queue, and joins the thread with the main thread:
// Join the service thread and processing thread

bRun = false;

procMessage.Join();
// Close the open message queue
mqInput.Close();
mqError.Close();

Pause method only sets a Boolean value to make the processing thread sleep for half a second:

if (bPause)
Thread.Sleep(500);

Finally, each Start, Stop, Pause and Continue methods will call abstract

OnStart, OnStop, OnPause and OnContinue method. These abstract methods provide hooks for classes implementing

to capture and release required resources.

 The ProcessMessages loop has the following basic structure:

●Receive Message.
● If the Message has a successful Receive, the abstract ProcessMessage method is called.
●If Receive or ProcessMessage fails, send the Message to the error queue.

Message mInput;
try
{
  // Read from the queue and wait for 1 second
  mInput = mqInput.Receive(new TimeSpan(0,0,0,1));
}
catch (MessageQueueException mqe)
{
  // Set the message to null
  mInput = null;
  // Check the error code to see if it timed out
  if (mqe.ErrorCode != (-1072824293) ) //0xC00E001B
  {
   // If it does not time out, issue an error and log the error number
  LogError("Error: " + mqe.Message);
  throw mqe;
  }
}
if (mInput != null)
{
  // Get a message to be processed and call the message processing abstract method
  try
  {
 ProcessMessage(mInput);
  }
  // Capture errors with known exception status
  catch (CWorkerThreadException ex)
  {
 ProcessError(mInput, ex.Terminate);
  }
  // Catch unknown exceptions and call Terminate
  catch
  {
  ProcessError(mInput, true);
 }
}

 The ProcessError method sends the error message to the error queue. In addition, it may also lead to
Send an exception to terminate the thread. It will do this if the ProcessMessage method throws a termination error or CWorker
ThreadException type.

CworkerThread exported class

Any class that inherits from CWorkerThread must provide OnStart, OnStop, On
Pause, OnContinue and ProcessMessage method. The OnStart and OnStop methods acquire and release processing resources. OnPause and OnContinue Methods allow temporary release and reacquisition of these resources. The ProcessMessage method should process the message and raise
when a failure event occurs CWorkerThreadException exception.

Since the CWorkerThread constructor defines runtime parameters, the derived class must call the base class

Constructor:

public CWorkerThreadDerived(CWorker v_cParent, WorkerThread
Formatter v_wfThread)
  : base (v_cParent, v_wfThread) {}

  The exported class provides two types of processing: sending the message to another queue, or calling the component method. Both implementations of receiving and sending messages use looping techniques or application offsets (keeping

Leave in the message AppSpecific property) as a deciding factor in which queue to use. The configuration file in this scenario

should include a list of queue paths. Implemented OnStart and The OnStop method
should open and close references to these queues:
iQueues = wfThread.OutputName.Length;
mqOutput = new MessageQueue[iQueues];
for (int idx=0; idx〈iQueues; idx++)
{
  mqOutput[idx] = new MessageQueue(wfThread.OutputName[idx]);
  mqOutput[idx].Formatter = new ActiveXMessageFormatter();
}

In these scenarios, message processing is simple: send the message to the necessary output queue. In the case of
loop, this process is:

try

{
  mqOutput[iNextQueue].Send(v_mInput);
}
catch (Exception ex)
{
  // Forced termination exception if error
  throw new CWorkerThreadException(ex.Message, true);
}
// Calculate the next queue number
iNextQueue++;
iNextQueue %= iQueues;

  The latter method of calling a component with message parameters is more interesting. ProcessMessage The
method uses the IWebMessage interface to call a .NET component. The OnStart and OnStop methods obtain and release the reference to this component.

 The configuration file in this solution should contain two items: the complete class name and the
location of the file where the class is located. According to the definition in the IWebMessage interface, call it on the component Process method.

  To obtain an object reference, you need to use the Activator.CreateInstance method. this letter

The number requires an assembly type. Here it is exported from the assembly file path and class name.
Once the object reference is obtained, it will be put into the appropriate interface:

private IWebMessage iwmSample;

private string sFilePath, sTypeName;
// Save assembly path and type name
sFilePath = wfThread.OutputName[0];
sTypeName = wfThread.OutputName[1];
// Get a reference to the necessary object
Assembly asmSample = Assembly.LoadFrom(sFilePath);
Type typSample = asmSample.GetType(sTypeName);
object objSample = Activator.CreateInstance(typSample);
// Define the necessary interface for the object
iwmSample = (IWebMessage)objSample;

 After obtaining the object reference, the ProcessMessage method will call the
Process method on the IWebMessage interface:
WebMessageReturn wbrSample;
try
{
  // Define the parameters of method call
  string sLabel = v_mInput.Label;
  string sBody = (string)v_mInput.Body;
  int iAppSpecific = v_mInput.AppSpecific;
  // Call the method and capture the return code
  wbrSample = iwmSample.Process(sLabel, sBody, iAppSpecific);
}
catch (InvalidCastException ex)
{
  // If an error occurs in the message content, force a non-terminating exception to be issued
  throw new CWorkerThreadException(ex.Message, false);
}
catch (Exception ex)
{
  // If the assembly is called incorrectly, force a termination exception
  throw new CWorkerThreadException(ex.Message, true);
}
// If there is no error, check the return status of the object call
switch (wbrSample)
{
  case WebMessageReturn.ReturnBad:
  throw new CWorkerThreadException
   ("Unable to process message: Message marked bad", false);
  case WebMessageReturn.ReturnAbort:
  throw new CWorkerThreadException
   ("Unable to process message: Process terminating", true);
default:
 break;
}

  The provided sample component writes the message body to a database table. If a serious database error is captured
Error, you may want to terminate the process, but here, just mark the message as an error message
.

Since the class instance created in this example may acquire and retain expensive database resources, use the OnPause and OnContinue methods to release and reacquire object references.

Detection Devices

 Like in all good applications, detection devices are used to monitor the

status of the application. . NET Framework greatly simplifies integrating event logs, performance counters, and Windows management instrumentation (WMI ) into the application process. The messaging application uses time logs and performance counters, both from the System.Diagnostics assembly.

 In the ServiceBase class, you can automatically enable event logging. Additionally, the ServiceBase
EventLog member supports writing to application event logs:

EventLog.WriteEntry(sMyMessage, EventLogEntryType.Information);


For applications that write to the event log rather than the application log, it is easy to
create and get a reference to the EventLog resource (as described in the same as done in the CWorker class),

and be able to log a log entry using the WriteEntry method:

private EventLog cLog;
string sSource = ServiceControl.ServiceControlName;
string sLog = "application";
// Check if the source exists, if not, create the source
if (!EventLog.SourceExists(sSource))
  EventLog.CreateEventSource(sSource, sLog);
// Create a log object and reference the currently defined source
cLog = new EventLog();
cLog.Source = sSource;
// Write an entry in the log to indicate successful creation
cLog.WriteEntry("Created successfully", EventLogEntryType.Information);

 The .NET framework greatly simplifies performance counters. The messaging application provides counters for each processing thread, user of thread export
and the entire application to track messages.

The number of messages and the number of messages processed per second. To provide this functionality, you need to define a class of performance counters

and then increment the corresponding counter instance.

 The category of performance counters is defined in the service OnStart method. These categories represent two counters - the total number of messages and the number of messages processed per second:
CounterCreationData[] cdMessage = new CounterCreationData[2];

cdMessage[0] = new CounterCreationData("Messages/Total", "Total

Messages Processed",
PerformanceCounterType.NumberOfItems64);
cdMessage[1] = new CounterCreationData("Messages/Second",
"Messages Processed a Second",
PerformanceCounterType.RateOfChangePerSecond32);
PerformanceCounterCategory.Create("MSDN Message Service", "MSDN
Message Service Counters", cdMessage);

Once the performance counter category is defined, a PerformanceCounter object is created to access
Ask about counter instance function. A PerformanceCounter object requires a category, counter name, and an optional instance name. For the helper process, the process name from the xml file will be used, the code is as follows:
pcMsgTotWorker = new PerformanceCounter("MSDN Message Service",

"Messages/Total", sProcessName);

pcMsgSecWorker = new PerformanceCounter("MSDN Message Service",
"Messages/Second", sProcessName);
pcMsgTotWorker.RawValue = 0;
pcMsgSecWorker.RawValue = 0;

To increment the counter value, just call the appropriate method:

pcMsgTotWorker.IncrementBy(1);
pcMsgSecWorker.IncrementBy(1);

Finally, when the service is terminated, the installed performance counter category should be deleted from the system:

PerformanceCounterCategory.Delete("MSDN Message Service");

 Because performance counters work in the .NET Framework, a special service needs to be running.
This service (PerfCounterService) provides shared memory. Counter information is written to shared
memory and read by the performance counter system.

Installation

 Before we end, let’s briefly introduce installation and the
installation tool called installutil.exe. Since this application is Windows service, it must be installed using installutil.exe
. Therefore, one needs to use one from System.Configuration.Install Installer class inherited in assembly
:
public class ServiceRegister: Installer
{
  private ServiceInstaller serviceInstaller;
  private ServiceProcessInstaller processInstaller;
  public ServiceRegister()
  {
   // Create a service installer
 serviceInstaller = new ServiceInstaller();
 serviceInstaller.StartType = ServiceStart.Manual;
  serviceInstaller.ServiceName = ServiceControl.ServiceControl
  Name;
  serviceInstaller.DisplayName = ServiceControl.ServiceControl
  Desc;
  Installers.Add(serviceInstaller);
   // Create process installer
 processInstaller = new ServiceProcessInstaller();
 processInstaller.RunUnderSystemAccount = true;
  Installers.Add(processInstaller);
  }
}

  As shown in this sample class, for a Windows service, the service and the service process each require an installer to define the account under which the service runs. Other installers allow registering event logs and
Performance counters and other resources.

Summary

 As you can see from this .NET Framework application example, applications that were previously only possible for Visual C++

programmers can now be implemented using simple object-oriented programs. exhaust
Although our focus is on C#, the content described in this article also applies to Visual Basic and
Managed C++. The new .NET The framework enables developers to create powerful, scalable Windows applications and services using any programming language.

 The new .NET Framework not only simplifies and expands programming possibilities, but also makes it easy to integrate

often forgotten application instrumentation devices (such as performance monitoring counters and event log notifications)

Incorporated into the app. Although the application here does not use Windows Management Detection Devices
(WMI), the .NET Framework can apply it as well.

The above is the content of C# Message Queue Application-2. For more related articles, please pay attention to the PHP Chinese website (www.php.cn)!


Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
如何使用C#编写时间序列预测算法如何使用C#编写时间序列预测算法Sep 19, 2023 pm 02:33 PM

如何使用C#编写时间序列预测算法时间序列预测是一种通过分析过去的数据来预测未来数据趋势的方法。它在很多领域,如金融、销售和天气预报中有广泛的应用。在本文中,我们将介绍如何使用C#编写时间序列预测算法,并附上具体的代码示例。数据准备在进行时间序列预测之前,首先需要准备好数据。一般来说,时间序列数据应该具有足够的长度,并且是按照时间顺序排列的。你可以从数据库或者

如何使用Redis和C#开发分布式事务功能如何使用Redis和C#开发分布式事务功能Sep 21, 2023 pm 02:55 PM

如何使用Redis和C#开发分布式事务功能引言分布式系统的开发中,事务处理是一项非常重要的功能。事务处理能够保证在分布式系统中的一系列操作要么全部成功,要么全部回滚。Redis是一种高性能的键值存储数据库,而C#是一种广泛应用于开发分布式系统的编程语言。本文将介绍如何使用Redis和C#来实现分布式事务功能,并提供具体代码示例。I.Redis事务Redis

如何实现C#中的人脸识别算法如何实现C#中的人脸识别算法Sep 19, 2023 am 08:57 AM

如何实现C#中的人脸识别算法人脸识别算法是计算机视觉领域中的一个重要研究方向,它可以用于识别和验证人脸,广泛应用于安全监控、人脸支付、人脸解锁等领域。在本文中,我们将介绍如何使用C#来实现人脸识别算法,并提供具体的代码示例。实现人脸识别算法的第一步是获取图像数据。在C#中,我们可以使用EmguCV库(OpenCV的C#封装)来处理图像。首先,我们需要在项目

如何使用C#编写动态规划算法如何使用C#编写动态规划算法Sep 20, 2023 pm 04:03 PM

如何使用C#编写动态规划算法摘要:动态规划是求解最优化问题的一种常用算法,适用于多种场景。本文将介绍如何使用C#编写动态规划算法,并提供具体的代码示例。一、什么是动态规划算法动态规划(DynamicProgramming,简称DP)是一种用来求解具有重叠子问题和最优子结构性质的问题的算法思想。动态规划将问题分解成若干个子问题来求解,通过记录每个子问题的解,

Redis在C#开发中的应用:如何实现高效的缓存更新Redis在C#开发中的应用:如何实现高效的缓存更新Jul 30, 2023 am 09:46 AM

Redis在C#开发中的应用:如何实现高效的缓存更新引言:在Web开发中,缓存是提高系统性能的常用手段之一。而Redis作为一款高性能的Key-Value存储系统,能够提供快速的缓存操作,为我们的应用带来了不少便利。本文将介绍如何在C#开发中使用Redis,实现高效的缓存更新。Redis的安装与配置在开始之前,我们需要先安装Redis并进行相应的配置。你可以

C#开发中如何处理跨域请求和安全性问题C#开发中如何处理跨域请求和安全性问题Oct 08, 2023 pm 09:21 PM

C#开发中如何处理跨域请求和安全性问题在现代的网络应用开发中,跨域请求和安全性问题是开发人员经常面临的挑战。为了提供更好的用户体验和功能,应用程序经常需要与其他域或服务器进行交互。然而,浏览器的同源策略导致了这些跨域请求被阻止,因此需要采取一些措施来处理跨域请求。同时,为了保证数据的安全性,开发人员还需要考虑一些安全性问题。本文将探讨C#开发中如何处理跨域请

如何实现C#中的图像压缩算法如何实现C#中的图像压缩算法Sep 19, 2023 pm 02:12 PM

如何实现C#中的图像压缩算法摘要:图像压缩是图像处理领域中的一个重要研究方向,本文将介绍在C#中实现图像压缩的算法,并给出相应的代码示例。引言:随着数字图像的广泛应用,图像压缩成为了图像处理中的重要环节。压缩能够减小存储空间和传输带宽,并能提高图像处理的效率。在C#语言中,我们可以通过使用各种图像压缩算法来实现对图像的压缩。本文将介绍两种常见的图像压缩算法:

如何实现C#中的遗传算法如何实现C#中的遗传算法Sep 19, 2023 pm 01:07 PM

如何在C#中实现遗传算法引言:遗传算法是一种模拟自然选择和基因遗传机制的优化算法,其主要思想是通过模拟生物进化的过程来搜索最优解。在计算机科学领域,遗传算法被广泛应用于优化问题的解决,例如机器学习、参数优化、组合优化等。本文将介绍如何在C#中实现遗传算法,并提供具体的代码示例。一、遗传算法的基本原理遗传算法通过使用编码表示解空间中的候选解,并利用选择、交叉和

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

Hot Tools

SublimeText3 Linux new version

SublimeText3 Linux new version

SublimeText3 Linux latest version

WebStorm Mac version

WebStorm Mac version

Useful JavaScript development tools

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SAP NetWeaver Server Adapter for Eclipse

SAP NetWeaver Server Adapter for Eclipse

Integrate Eclipse with SAP NetWeaver application server.

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use