diff --git a/src/PepperDash.Core/ComTextHelper.cs b/src/PepperDash.Core/ComTextHelper.cs
deleted file mode 100644
index 28a76975..00000000
--- a/src/PepperDash.Core/ComTextHelper.cs
+++ /dev/null
@@ -1,43 +0,0 @@
-using System.Linq;
-using System.Text;
-using System.Text.RegularExpressions;
-
-namespace PepperDash.Core
-{
- ///
- /// Helper class for formatting communication text and byte data for debugging purposes.
- ///
- public class ComTextHelper
- {
- ///
- /// Gets escaped text for a byte array
- ///
- ///
- /// string with all bytes escaped
- public static string GetEscapedText(byte[] bytes)
- {
- return string.Concat(bytes.Select(b => string.Format(@"[{0:X2}]", (int)b)).ToArray());
- }
-
- ///
- /// Gets escaped text for a string
- ///
- ///
- /// string with all bytes escaped
- public static string GetEscapedText(string text)
- {
- var bytes = Encoding.GetEncoding(28591).GetBytes(text);
- return string.Concat(bytes.Select(b => string.Format(@"[{0:X2}]", (int)b)).ToArray());
- }
-
- ///
- /// Gets debug text for a string
- ///
- ///
- /// string with all non-printable characters escaped
- public static string GetDebugText(string text)
- {
- return Regex.Replace(text, @"[^\u0020-\u007E]", a => GetEscapedText(a.Value));
- }
- }
-}
\ No newline at end of file
diff --git a/src/PepperDash.Core/Comm/CommunicationGather.cs b/src/PepperDash.Core/Comm/CommunicationGather.cs
index e75a012d..4131d364 100644
--- a/src/PepperDash.Core/Comm/CommunicationGather.cs
+++ b/src/PepperDash.Core/Comm/CommunicationGather.cs
@@ -8,8 +8,8 @@ using Crestron.SimplSharp;
using PepperDash.Core;
-namespace PepperDash.Core
-{
+namespace PepperDash.Core;
+
///
/// Defines the string event handler for line events on the gather
///
@@ -30,7 +30,7 @@ namespace PepperDash.Core
///
/// The communication port that this gathers on
///
- public ICommunicationReceiver Port { get; private set; }
+ public ICommunicationReceiver Port { get; private set; }
///
/// Default false. If true, the delimiter will be included in the line output
@@ -67,22 +67,22 @@ namespace PepperDash.Core
///
///
///
- public CommunicationGather(ICommunicationReceiver port, string delimiter)
- :this(port, new string[] { delimiter} )
+ public CommunicationGather(ICommunicationReceiver port, string delimiter)
+ :this(port, new string[] { delimiter} )
{
}
- ///
- /// Constructor for using an array of string delimiters
- ///
- ///
- ///
- public CommunicationGather(ICommunicationReceiver port, string[] delimiters)
- {
- Port = port;
- StringDelimiters = delimiters;
- port.TextReceived += Port_TextReceivedStringDelimiter;
- }
+ ///
+ /// Constructor for using an array of string delimiters
+ ///
+ ///
+ ///
+ public CommunicationGather(ICommunicationReceiver port, string[] delimiters)
+ {
+ Port = port;
+ StringDelimiters = delimiters;
+ port.TextReceived += Port_TextReceivedStringDelimiter;
+ }
///
/// Stop method
@@ -135,35 +135,35 @@ namespace PepperDash.Core
ReceiveBuffer.Append(args.Text);
var str = ReceiveBuffer.ToString();
- // Case: Receiving DEVICE get version\x0d\0x0a+OK "value":"1234"\x0d\x0a
+ // Case: Receiving DEVICE get version\x0d\0x0a+OK "value":"1234"\x0d\x0a
- // RX: DEV
- // Split: (1) "DEV"
- // RX: I
- // Split: (1) "DEVI"
- // RX: CE get version
- // Split: (1) "DEVICE get version"
- // RX: \x0d\x0a+OK "value":"1234"\x0d\x0a
- // Split: (2) DEVICE get version, +OK "value":"1234"
+ // RX: DEV
+ // Split: (1) "DEV"
+ // RX: I
+ // Split: (1) "DEVI"
+ // RX: CE get version
+ // Split: (1) "DEVICE get version"
+ // RX: \x0d\x0a+OK "value":"1234"\x0d\x0a
+ // Split: (2) DEVICE get version, +OK "value":"1234"
- // Iterate the delimiters and fire an event for any matching delimiter
- foreach (var delimiter in StringDelimiters)
+ // Iterate the delimiters and fire an event for any matching delimiter
+ foreach (var delimiter in StringDelimiters)
+ {
+ var lines = Regex.Split(str, delimiter);
+ if (lines.Length == 1)
+ continue;
+
+ for (int i = 0; i < lines.Length - 1; i++)
{
- var lines = Regex.Split(str, delimiter);
- if (lines.Length == 1)
- continue;
-
- for (int i = 0; i < lines.Length - 1; i++)
- {
- string strToSend = null;
- if (IncludeDelimiter)
- strToSend = lines[i] + delimiter;
- else
- strToSend = lines[i];
- handler(this, new GenericCommMethodReceiveTextArgs(strToSend, delimiter));
- }
- ReceiveBuffer = new StringBuilder(lines[lines.Length - 1]);
+ string strToSend = null;
+ if (IncludeDelimiter)
+ strToSend = lines[i] + delimiter;
+ else
+ strToSend = lines[i];
+ handler(this, new GenericCommMethodReceiveTextArgs(strToSend, delimiter));
}
+ ReceiveBuffer = new StringBuilder(lines[lines.Length - 1]);
+ }
}
}
@@ -174,5 +174,4 @@ namespace PepperDash.Core
{
Stop();
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/Comm/CommunicationStreamDebugging.cs b/src/PepperDash.Core/Comm/CommunicationStreamDebugging.cs
index 780e65d0..4739912a 100644
--- a/src/PepperDash.Core/Comm/CommunicationStreamDebugging.cs
+++ b/src/PepperDash.Core/Comm/CommunicationStreamDebugging.cs
@@ -1,138 +1,157 @@
-using System.Collections.Generic;
+using System;
+using System.Collections.Generic;
using System.Linq;
using System.Text;
using Crestron.SimplSharp;
using PepperDash.Core;
-namespace PepperDash.Core
+namespace PepperDash.Core;
+
+///
+/// Controls the ability to disable/enable debugging of TX/RX data sent to/from a device with a built in timer to disable
+///
+public class CommunicationStreamDebugging
{
///
- /// Controls the ability to disable/enable debugging of TX/RX data sent to/from a device with a built in timer to disable
+ /// Device Key that this instance configures
///
- public class CommunicationStreamDebugging
+ public string ParentDeviceKey { get; private set; }
+
+ ///
+ /// Timer to disable automatically if not manually disabled
+ ///
+ private CTimer DebugExpiryPeriod;
+
+ ///
+ /// The current debug setting
+ ///
+ public eStreamDebuggingSetting DebugSetting { get; private set; }
+
+ private uint _DebugTimeoutInMs;
+ private const uint _DefaultDebugTimeoutMin = 30;
+
+ ///
+ /// Timeout in Minutes
+ ///
+ public uint DebugTimeoutMinutes
{
- ///
- /// Device Key that this instance configures
- ///
- public string ParentDeviceKey { get; private set; }
-
- ///
- /// Timer to disable automatically if not manually disabled
- ///
- private CTimer DebugExpiryPeriod;
-
- ///
- /// Gets or sets the DebugSetting
- ///
- public eStreamDebuggingSetting DebugSetting { get; private set; }
-
- private uint _DebugTimeoutInMs;
- private const uint _DefaultDebugTimeoutMin = 30;
-
- ///
- /// Timeout in Minutes
- ///
- public uint DebugTimeoutMinutes
+ get
{
- get
- {
- return _DebugTimeoutInMs / 60000;
- }
- }
-
- ///
- /// Gets or sets the RxStreamDebuggingIsEnabled
- ///
- public bool RxStreamDebuggingIsEnabled { get; private set; }
-
- ///
- /// Indicates that transmit stream debugging is enabled
- ///
- public bool TxStreamDebuggingIsEnabled { get; private set; }
-
- ///
- /// Constructor
- ///
- ///
- public CommunicationStreamDebugging(string parentDeviceKey)
- {
- ParentDeviceKey = parentDeviceKey;
- }
-
-
- ///
- /// Sets the debugging setting and if not setting to off, assumes the default of 30 mintues
- ///
- ///
- ///
- /// SetDebuggingWithDefaultTimeout method
- ///
- public void SetDebuggingWithDefaultTimeout(eStreamDebuggingSetting setting)
- {
- if (setting == eStreamDebuggingSetting.Off)
- {
- DisableDebugging();
- return;
- }
-
- SetDebuggingWithSpecificTimeout(setting, _DefaultDebugTimeoutMin);
- }
-
- ///
- /// Sets the debugging setting for the specified number of minutes
- ///
- ///
- ///
- ///
- /// SetDebuggingWithSpecificTimeout method
- ///
- public void SetDebuggingWithSpecificTimeout(eStreamDebuggingSetting setting, uint minutes)
- {
- if (setting == eStreamDebuggingSetting.Off)
- {
- DisableDebugging();
- return;
- }
-
- _DebugTimeoutInMs = minutes * 60000;
-
- StopDebugTimer();
-
- DebugExpiryPeriod = new CTimer((o) => DisableDebugging(), _DebugTimeoutInMs);
-
- if ((setting & eStreamDebuggingSetting.Rx) == eStreamDebuggingSetting.Rx)
- RxStreamDebuggingIsEnabled = true;
-
- if ((setting & eStreamDebuggingSetting.Tx) == eStreamDebuggingSetting.Tx)
- TxStreamDebuggingIsEnabled = true;
-
- Debug.SetDeviceDebugSettings(ParentDeviceKey, setting);
-
- }
-
- ///
- /// Disabled debugging
- ///
- private void DisableDebugging()
- {
- StopDebugTimer();
-
- Debug.SetDeviceDebugSettings(ParentDeviceKey, eStreamDebuggingSetting.Off);
- }
-
- private void StopDebugTimer()
- {
- RxStreamDebuggingIsEnabled = false;
- TxStreamDebuggingIsEnabled = false;
-
- if (DebugExpiryPeriod == null)
- {
- return;
- }
-
- DebugExpiryPeriod.Stop();
- DebugExpiryPeriod.Dispose();
- DebugExpiryPeriod = null;
+ return _DebugTimeoutInMs/60000;
}
}
+
+ ///
+ /// Indicates that receive stream debugging is enabled
+ ///
+ public bool RxStreamDebuggingIsEnabled{ get; private set; }
+
+ ///
+ /// Indicates that transmit stream debugging is enabled
+ ///
+ public bool TxStreamDebuggingIsEnabled { get; private set; }
+
+ ///
+ /// Constructor
+ ///
+ ///
+ public CommunicationStreamDebugging(string parentDeviceKey)
+ {
+ ParentDeviceKey = parentDeviceKey;
+ }
+
+
+ ///
+ /// Sets the debugging setting and if not setting to off, assumes the default of 30 mintues
+ ///
+ ///
+ public void SetDebuggingWithDefaultTimeout(eStreamDebuggingSetting setting)
+ {
+ if (setting == eStreamDebuggingSetting.Off)
+ {
+ DisableDebugging();
+ return;
+ }
+
+ SetDebuggingWithSpecificTimeout(setting, _DefaultDebugTimeoutMin);
+ }
+
+ ///
+ /// Sets the debugging setting for the specified number of minutes
+ ///
+ ///
+ ///
+ public void SetDebuggingWithSpecificTimeout(eStreamDebuggingSetting setting, uint minutes)
+ {
+ if (setting == eStreamDebuggingSetting.Off)
+ {
+ DisableDebugging();
+ return;
+ }
+
+ _DebugTimeoutInMs = minutes * 60000;
+
+ StopDebugTimer();
+
+ DebugExpiryPeriod = new CTimer((o) => DisableDebugging(), _DebugTimeoutInMs);
+
+ if ((setting & eStreamDebuggingSetting.Rx) == eStreamDebuggingSetting.Rx)
+ RxStreamDebuggingIsEnabled = true;
+
+ if ((setting & eStreamDebuggingSetting.Tx) == eStreamDebuggingSetting.Tx)
+ TxStreamDebuggingIsEnabled = true;
+
+ Debug.SetDeviceDebugSettings(ParentDeviceKey, setting);
+
+ }
+
+ ///
+ /// Disabled debugging
+ ///
+ private void DisableDebugging()
+ {
+ StopDebugTimer();
+
+ Debug.SetDeviceDebugSettings(ParentDeviceKey, eStreamDebuggingSetting.Off);
+ }
+
+ private void StopDebugTimer()
+ {
+ RxStreamDebuggingIsEnabled = false;
+ TxStreamDebuggingIsEnabled = false;
+
+ if (DebugExpiryPeriod == null)
+ {
+ return;
+ }
+
+ DebugExpiryPeriod.Stop();
+ DebugExpiryPeriod.Dispose();
+ DebugExpiryPeriod = null;
+ }
}
+
+///
+/// The available settings for stream debugging
+///
+[Flags]
+public enum eStreamDebuggingSetting
+{
+ ///
+ /// Debug off
+ ///
+ Off = 0,
+ ///
+ /// Debug received data
+ ///
+ Rx = 1,
+ ///
+ /// Debug transmitted data
+ ///
+ Tx = 2,
+ ///
+ /// Debug both received and transmitted data
+ ///
+ Both = Rx | Tx
+}
+
diff --git a/src/PepperDash.Core/Comm/ControlPropertiesConfig.cs b/src/PepperDash.Core/Comm/ControlPropertiesConfig.cs
index a7d2300a..e359eade 100644
--- a/src/PepperDash.Core/Comm/ControlPropertiesConfig.cs
+++ b/src/PepperDash.Core/Comm/ControlPropertiesConfig.cs
@@ -8,91 +8,90 @@ using JsonProperty = NewtonsoftJson::Newtonsoft.Json.JsonPropertyAttribute;
using NullValueHandling = NewtonsoftJson::Newtonsoft.Json.NullValueHandling;
using StringEnumConverter = NewtonsoftJson::Newtonsoft.Json.Converters.StringEnumConverter;
-namespace PepperDash.Core
+namespace PepperDash.Core;
+
+///
+/// Config properties that indicate how to communicate with a device for control
+///
+public class ControlPropertiesConfig
{
///
- /// Represents a ControlPropertiesConfig
+ /// The method of control
///
- public class ControlPropertiesConfig
- {
- ///
- /// The method of control
- ///
- [JsonProperty("method")]
- [JsonConverter(typeof(StringEnumConverter))]
- public eControlMethod Method { get; set; }
+ [JsonProperty("method")]
+ [JsonConverter(typeof(StringEnumConverter))]
+ public eControlMethod Method { get; set; }
- ///
- /// The key of the device that contains the control port
- ///
- [JsonProperty("controlPortDevKey", NullValueHandling = NullValueHandling.Ignore)]
- public string ControlPortDevKey { get; set; }
+ ///
+ /// The key of the device that contains the control port
+ ///
+ [JsonProperty("controlPortDevKey", NullValueHandling = NullValueHandling.Ignore)]
+ public string ControlPortDevKey { get; set; }
- ///
- /// The number of the control port on the device specified by ControlPortDevKey
- ///
- [JsonProperty("controlPortNumber", NullValueHandling = NullValueHandling.Ignore)] // In case "null" is present in config on this value
- public uint? ControlPortNumber { get; set; }
+ ///
+ /// The number of the control port on the device specified by ControlPortDevKey
+ ///
+ [JsonProperty("controlPortNumber", NullValueHandling = NullValueHandling.Ignore)] // In case "null" is present in config on this value
+ public uint? ControlPortNumber { get; set; }
- ///
- /// The name of the control port on the device specified by ControlPortDevKey
- ///
- [JsonProperty("controlPortName", NullValueHandling = NullValueHandling.Ignore)] // In case "null" is present in config on this value
- public string ControlPortName { get; set; }
+ ///
+ /// The name of the control port on the device specified by ControlPortDevKey
+ ///
+ [JsonProperty("controlPortName", NullValueHandling = NullValueHandling.Ignore)] // In case "null" is present in config on this value
+ public string ControlPortName { get; set; }
- ///
- /// Properties for ethernet based communications
- ///
- [JsonProperty("tcpSshProperties", NullValueHandling = NullValueHandling.Ignore)]
- public TcpSshPropertiesConfig TcpSshProperties { get; set; }
+ ///
+ /// Properties for ethernet based communications
+ ///
+ [JsonProperty("tcpSshProperties", NullValueHandling = NullValueHandling.Ignore)]
+ public TcpSshPropertiesConfig TcpSshProperties { get; set; }
- ///
- /// The filename and path for the IR file
- ///
- [JsonProperty("irFile", NullValueHandling = NullValueHandling.Ignore)]
- public string IrFile { get; set; }
+ ///
+ /// The filename and path for the IR file
+ ///
+ [JsonProperty("irFile", NullValueHandling = NullValueHandling.Ignore)]
+ public string IrFile { get; set; }
- ///
- /// The IpId of a Crestron device
- ///
- [JsonProperty("ipId", NullValueHandling = NullValueHandling.Ignore)]
- public string IpId { get; set; }
+ ///
+ /// The IpId of a Crestron device
+ ///
+ [JsonProperty("ipId", NullValueHandling = NullValueHandling.Ignore)]
+ public string IpId { get; set; }
- ///
- /// Readonly uint representation of the IpId
- ///
- [JsonIgnore]
- public uint IpIdInt { get { return Convert.ToUInt32(IpId, 16); } }
+ ///
+ /// Readonly uint representation of the IpId
+ ///
+ [JsonIgnore]
+ public uint IpIdInt { get { return Convert.ToUInt32(IpId, 16); } }
- ///
- /// Char indicating end of line
- ///
- [JsonProperty("endOfLineChar", NullValueHandling = NullValueHandling.Ignore)]
- public char EndOfLineChar { get; set; }
+ ///
+ /// Char indicating end of line
+ ///
+ [JsonProperty("endOfLineChar", NullValueHandling = NullValueHandling.Ignore)]
+ public char EndOfLineChar { get; set; }
- ///
- /// Defaults to Environment.NewLine;
- ///
- [JsonProperty("endOfLineString", NullValueHandling = NullValueHandling.Ignore)]
- public string EndOfLineString { get; set; }
+ ///
+ /// Defaults to Environment.NewLine;
+ ///
+ [JsonProperty("endOfLineString", NullValueHandling = NullValueHandling.Ignore)]
+ public string EndOfLineString { get; set; }
- ///
- /// Indicates
- ///
- [JsonProperty("deviceReadyResponsePattern", NullValueHandling = NullValueHandling.Ignore)]
- public string DeviceReadyResponsePattern { get; set; }
+ ///
+ /// Indicates
+ ///
+ [JsonProperty("deviceReadyResponsePattern", NullValueHandling = NullValueHandling.Ignore)]
+ public string DeviceReadyResponsePattern { get; set; }
- ///
- /// Used when communcating to programs running in VC-4
- ///
- [JsonProperty("roomId", NullValueHandling = NullValueHandling.Ignore)]
- public string RoomId { get; set; }
+ ///
+ /// Used when communcating to programs running in VC-4
+ ///
+ [JsonProperty("roomId", NullValueHandling = NullValueHandling.Ignore)]
+ public string RoomId { get; set; }
- ///
- /// Constructor
- ///
- public ControlPropertiesConfig()
- {
- }
+ ///
+ /// Constructor
+ ///
+ public ControlPropertiesConfig()
+ {
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/Comm/EventArgs.cs b/src/PepperDash.Core/Comm/EventArgs.cs
index 0b394423..d68dda7c 100644
--- a/src/PepperDash.Core/Comm/EventArgs.cs
+++ b/src/PepperDash.Core/Comm/EventArgs.cs
@@ -16,236 +16,237 @@ using Crestron.SimplSharp;
using Crestron.SimplSharp.CrestronSockets;
-namespace PepperDash.Core
+namespace PepperDash.Core;
+
+///
+/// Delegate for notifying of socket status changes
+///
+///
+public delegate void GenericSocketStatusChangeEventDelegate(ISocketStatus client);
+
+///
+/// EventArgs class for socket status changes
+///
+public class GenericSocketStatusChageEventArgs : EventArgs
{
///
- /// Delegate for notifying of socket status changes
+ /// Gets or sets the Client
+ ///
+ public ISocketStatus Client { get; private set; }
+
+ ///
+ /// Constructor
///
///
- public delegate void GenericSocketStatusChangeEventDelegate(ISocketStatus client);
-
- ///
- /// EventArgs class for socket status changes
- ///
- public class GenericSocketStatusChageEventArgs : EventArgs
- {
- ///
- /// Gets or sets the Client
- ///
- public ISocketStatus Client { get; private set; }
-
- ///
- ///
- ///
- ///
- public GenericSocketStatusChageEventArgs(ISocketStatus client)
- {
- Client = client;
- }
- ///
- /// S+ Constructor
- ///
- public GenericSocketStatusChageEventArgs() { }
+ public GenericSocketStatusChageEventArgs(ISocketStatus client)
+ {
+ Client = client;
}
+ ///
+ /// S+ Constructor
+ ///
+ public GenericSocketStatusChageEventArgs() { }
+}
+
+///
+/// Delegate for notifying of TCP Server state changes
+///
+///
+public delegate void GenericTcpServerStateChangedEventDelegate(ServerState state);
+
+///
+/// EventArgs class for TCP Server state changes
+///
+public class GenericTcpServerStateChangedEventArgs : EventArgs
+{
+ ///
+ /// Gets or sets the State
+ ///
+ public ServerState State { get; private set; }
///
- /// Delegate for notifying of TCP Server state changes
+ /// Constructor
///
///
- public delegate void GenericTcpServerStateChangedEventDelegate(ServerState state);
+ public GenericTcpServerStateChangedEventArgs(ServerState state)
+ {
+ State = state;
+ }
+ ///
+ /// S+ Constructor
+ ///
+ public GenericTcpServerStateChangedEventArgs() { }
+}
+
+///
+/// Delegate for TCP Server socket status changes
+///
+///
+///
+///
+public delegate void GenericTcpServerSocketStatusChangeEventDelegate(object socket, uint clientIndex, SocketStatus clientStatus);
+///
+/// EventArgs for TCP server socket status changes
+///
+public class GenericTcpServerSocketStatusChangeEventArgs : EventArgs
+{
+ ///
+ /// Gets or sets the Socket
+ ///
+ public object Socket { get; private set; }
///
- /// EventArgs class for TCP Server state changes
+ /// Gets or sets the index of the client from which the status change was received
///
- public class GenericTcpServerStateChangedEventArgs : EventArgs
- {
- ///
- /// Gets or sets the State
- ///
- public ServerState State { get; private set; }
+ public uint ReceivedFromClientIndex { get; private set; }
- ///
- ///
- ///
- ///
- public GenericTcpServerStateChangedEventArgs(ServerState state)
- {
- State = state;
- }
- ///
- /// S+ Constructor
- ///
- public GenericTcpServerStateChangedEventArgs() { }
+ ///
+ /// Gets or sets the ClientStatus
+ ///
+ public SocketStatus ClientStatus { get; set; }
+
+ ///
+ /// Constructor
+ ///
+ ///
+ ///
+ public GenericTcpServerSocketStatusChangeEventArgs(object socket, SocketStatus clientStatus)
+ {
+ Socket = socket;
+ ClientStatus = clientStatus;
}
///
- /// Delegate for TCP Server socket status changes
+ /// Constructor
///
///
///
///
- public delegate void GenericTcpServerSocketStatusChangeEventDelegate(object socket, uint clientIndex, SocketStatus clientStatus);
- ///
- /// EventArgs for TCP server socket status changes
- ///
- public class GenericTcpServerSocketStatusChangeEventArgs : EventArgs
+ public GenericTcpServerSocketStatusChangeEventArgs(object socket, uint clientIndex, SocketStatus clientStatus)
{
- ///
- ///
- ///
- public object Socket { get; private set; }
- ///
- ///
- ///
- public uint ReceivedFromClientIndex { get; private set; }
- ///
- ///
- ///
- public SocketStatus ClientStatus { get; set; }
+ Socket = socket;
+ ReceivedFromClientIndex = clientIndex;
+ ClientStatus = clientStatus;
+ }
+ ///
+ /// S+ Constructor
+ ///
+ public GenericTcpServerSocketStatusChangeEventArgs() { }
+}
- ///
- ///
- ///
- ///
- ///
- public GenericTcpServerSocketStatusChangeEventArgs(object socket, SocketStatus clientStatus)
- {
- Socket = socket;
- ClientStatus = clientStatus;
- }
+///
+/// EventArgs for TCP server com method receive text
+///
+public class GenericTcpServerCommMethodReceiveTextArgs : EventArgs
+{
+ ///
+ /// Gets or sets the index of the client from which the text was received
+ ///
+ public uint ReceivedFromClientIndex { get; private set; }
- ///
- ///
- ///
- ///
- ///
- ///
- public GenericTcpServerSocketStatusChangeEventArgs(object socket, uint clientIndex, SocketStatus clientStatus)
+ ///
+ /// Gets the index of the client from which the text was received as a ushort
+ ///
+ public ushort ReceivedFromClientIndexShort
+ {
+ get
{
- Socket = socket;
- ReceivedFromClientIndex = clientIndex;
- ClientStatus = clientStatus;
+ return (ushort)ReceivedFromClientIndex;
}
- ///
- /// S+ Constructor
- ///
- public GenericTcpServerSocketStatusChangeEventArgs() { }
}
///
- /// EventArgs for TCP server com method receive text
+ /// Gets or sets the Text
///
- public class GenericTcpServerCommMethodReceiveTextArgs : EventArgs
+ public string Text { get; private set; }
+
+ ///
+ /// Constructor
+ ///
+ ///
+ public GenericTcpServerCommMethodReceiveTextArgs(string text)
{
- ///
- ///
- ///
- public uint ReceivedFromClientIndex { get; private set; }
-
- ///
- ///
- ///
- public ushort ReceivedFromClientIndexShort
- {
- get
- {
- return (ushort)ReceivedFromClientIndex;
- }
- }
-
- ///
- /// Gets or sets the Text
- ///
- public string Text { get; private set; }
-
- ///
- ///
- ///
- ///
- public GenericTcpServerCommMethodReceiveTextArgs(string text)
- {
- Text = text;
- }
-
- ///
- ///
- ///
- ///
- ///
- public GenericTcpServerCommMethodReceiveTextArgs(string text, uint clientIndex)
- {
- Text = text;
- ReceivedFromClientIndex = clientIndex;
- }
- ///
- /// S+ Constructor
- ///
- public GenericTcpServerCommMethodReceiveTextArgs() { }
+ Text = text;
}
///
- /// EventArgs for TCP server client ready for communication
+ /// Constructor
///
- public class GenericTcpServerClientReadyForcommunicationsEventArgs : EventArgs
+ ///
+ ///
+ public GenericTcpServerCommMethodReceiveTextArgs(string text, uint clientIndex)
{
- ///
- ///
- ///
- public bool IsReady;
+ Text = text;
+ ReceivedFromClientIndex = clientIndex;
+ }
+ ///
+ /// S+ Constructor
+ ///
+ public GenericTcpServerCommMethodReceiveTextArgs() { }
+}
- ///
- ///
- ///
- ///
- public GenericTcpServerClientReadyForcommunicationsEventArgs(bool isReady)
- {
- IsReady = isReady;
- }
- ///
- /// S+ Constructor
- ///
- public GenericTcpServerClientReadyForcommunicationsEventArgs() { }
+///
+/// EventArgs for TCP server client ready for communication
+///
+public class GenericTcpServerClientReadyForcommunicationsEventArgs : EventArgs
+{
+ ///
+ /// Gets or sets IsReady
+ ///
+ public bool IsReady;
+
+ ///
+ /// Constructor
+ ///
+ ///
+ public GenericTcpServerClientReadyForcommunicationsEventArgs(bool isReady)
+ {
+ IsReady = isReady;
}
///
- /// EventArgs for UDP connected
+ /// S+ Constructor
///
- public class GenericUdpConnectedEventArgs : EventArgs
+ public GenericTcpServerClientReadyForcommunicationsEventArgs() { }
+}
+
+///
+/// EventArgs for UDP connected
+///
+public class GenericUdpConnectedEventArgs : EventArgs
+{
+ ///
+ /// Gets or sets the UConnected
+ ///
+ public ushort UConnected;
+
+ ///
+ /// Gets or sets the Connected status
+ ///
+ public bool Connected;
+
+ ///
+ /// Constructor
+ ///
+ public GenericUdpConnectedEventArgs() { }
+
+ ///
+ /// Constructor
+ ///
+ ///
+ public GenericUdpConnectedEventArgs(ushort uconnected)
{
- ///
- ///
- ///
- public ushort UConnected;
- ///
- ///
- ///
- public bool Connected;
-
- ///
- /// Constructor
- ///
- public GenericUdpConnectedEventArgs() { }
-
- ///
- ///
- ///
- ///
- public GenericUdpConnectedEventArgs(ushort uconnected)
- {
- UConnected = uconnected;
- }
-
- ///
- ///
- ///
- ///
- public GenericUdpConnectedEventArgs(bool connected)
- {
- Connected = connected;
- }
-
+ UConnected = uconnected;
}
-
+ ///
+ /// Constructor
+ ///
+ ///
+ public GenericUdpConnectedEventArgs(bool connected)
+ {
+ Connected = connected;
+ }
+
+}
-}
\ No newline at end of file
diff --git a/src/PepperDash.Core/Comm/GenericSecureTcpIpClient.cs b/src/PepperDash.Core/Comm/GenericSecureTcpIpClient.cs
index 204c548b..36e405b0 100644
--- a/src/PepperDash.Core/Comm/GenericSecureTcpIpClient.cs
+++ b/src/PepperDash.Core/Comm/GenericSecureTcpIpClient.cs
@@ -7,952 +7,947 @@ using Crestron.SimplSharp;
using Crestron.SimplSharp.CrestronSockets;
using PepperDash.Core.Logging;
-namespace PepperDash.Core
+namespace PepperDash.Core;
+
+///
+/// A class to handle secure TCP/IP communications with a server
+///
+public class GenericSecureTcpIpClient : Device, ISocketStatusWithStreamDebugging, IAutoReconnect
{
+ private const string SplusKey = "Uninitialized Secure Tcp _client";
///
- /// A class to handle secure TCP/IP communications with a server
+ /// Stream debugging
///
- public class GenericSecureTcpIpClient : Device, ISocketStatusWithStreamDebugging, IAutoReconnect
+ public CommunicationStreamDebugging StreamDebugging { get; private set; }
+
+ ///
+ /// Fires when data is received from the server and returns it as a Byte array
+ ///
+ public event EventHandler BytesReceived;
+
+ ///
+ /// Fires when data is received from the server and returns it as text
+ ///
+ public event EventHandler TextReceived;
+
+ #region GenericSecureTcpIpClient Events & Delegates
+
+ ///
+ ///
+ ///
+ //public event GenericSocketStatusChangeEventDelegate SocketStatusChange;
+ public event EventHandler ConnectionChange;
+
+ ///
+ /// Auto reconnect evant handler
+ ///
+ public event EventHandler AutoReconnectTriggered;
+
+ ///
+ /// Event for Receiving text. Once subscribed to this event the receive callback will start a thread that dequeues the messages and invokes the event on a new thread.
+ /// It is not recommended to use both the TextReceived event and the TextReceivedQueueInvoke event.
+ ///
+ public event EventHandler TextReceivedQueueInvoke;
+
+ ///
+ /// For a client with a pre shared key, this will fire after the communication is established and the key exchange is complete. If you require
+ /// a key and subscribe to the socket change event and try to send data on a connection the data sent will interfere with the key exchange and disconnect.
+ ///
+ public event EventHandler ClientReadyForCommunications;
+
+ #endregion
+
+
+ #region GenricTcpIpClient properties
+
+ private string _hostname;
+
+ ///
+ /// Address of server
+ ///
+ public string Hostname
{
- private const string SplusKey = "Uninitialized Secure Tcp _client";
- ///
- /// Stream debugging
- ///
- public CommunicationStreamDebugging StreamDebugging { get; private set; }
-
- ///
- /// Fires when data is received from the server and returns it as a Byte array
- ///
- public event EventHandler BytesReceived;
-
- ///
- /// Fires when data is received from the server and returns it as text
- ///
- public event EventHandler TextReceived;
-
- #region GenericSecureTcpIpClient Events & Delegates
-
- ///
- ///
- ///
- //public event GenericSocketStatusChangeEventDelegate SocketStatusChange;
- public event EventHandler ConnectionChange;
-
- ///
- /// Auto reconnect evant handler
- ///
- public event EventHandler AutoReconnectTriggered;
-
- ///
- /// Event for Receiving text. Once subscribed to this event the receive callback will start a thread that dequeues the messages and invokes the event on a new thread.
- /// It is not recommended to use both the TextReceived event and the TextReceivedQueueInvoke event.
- ///
- public event EventHandler TextReceivedQueueInvoke;
-
- ///
- /// For a client with a pre shared key, this will fire after the communication is established and the key exchange is complete. If you require
- /// a key and subscribe to the socket change event and try to send data on a connection the data sent will interfere with the key exchange and disconnect.
- ///
- public event EventHandler ClientReadyForCommunications;
-
- #endregion
-
-
- #region GenricTcpIpClient properties
-
- private string _hostname;
-
- ///
- /// Address of server
- ///
- public string Hostname
- {
- get { return _hostname; }
- set
- {
- _hostname = value;
- if (_client != null)
- {
- _client.AddressClientConnectedTo = _hostname;
- }
- }
- }
-
- ///
- /// Gets or sets the Port
- ///
- public int Port { get; set; }
-
- ///
- /// S+ helper
- ///
- public ushort UPort
- {
- get { return Convert.ToUInt16(Port); }
- set { Port = Convert.ToInt32(value); }
- }
-
- ///
- /// Defaults to 2000
- ///
- public int BufferSize { get; set; }
-
- ///
- /// Internal secure client
- ///
- private SecureTCPClient _client;
-
- ///
- /// Bool showing if socket is connected
- ///
- public bool IsConnected
- {
- get { return _client != null && _client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED; }
- }
-
- ///
- /// S+ helper for IsConnected
- ///
- public ushort UIsConnected
- {
- get { return (ushort)(IsConnected ? 1 : 0); }
- }
-
- ///
- /// _client socket status Read only
- ///
- public SocketStatus ClientStatus
- {
- get
- {
- return _client == null ? SocketStatus.SOCKET_STATUS_NO_CONNECT : _client.ClientStatus;
- }
- }
-
- ///
- /// Contains the familiar Simpl analog status values. This drives the ConnectionChange event
- /// and IsConnected would be true when this == 2.
- ///
- public ushort UStatus
- {
- get { return (ushort)ClientStatus; }
- }
-
- ///
- /// Status text shows the message associated with socket status
- ///
- public string ClientStatusText { get { return ClientStatus.ToString(); } }
-
- ///
- /// Connection failure reason
- ///
- public string ConnectionFailure { get { return ClientStatus.ToString(); } }
-
- ///
- /// Gets or sets the AutoReconnect
- ///
- public bool AutoReconnect { get; set; }
-
- ///
- /// S+ helper for AutoReconnect
- ///
- public ushort UAutoReconnect
- {
- get { return (ushort)(AutoReconnect ? 1 : 0); }
- set { AutoReconnect = value == 1; }
- }
-
- ///
- /// Milliseconds to wait before attempting to reconnect. Defaults to 5000
- ///
- public int AutoReconnectIntervalMs { get; set; }
-
- ///
- /// Flag Set only when the disconnect method is called.
- ///
- bool DisconnectCalledByUser;
-
- ///
- ///
- ///
- public bool Connected
- {
- get { return _client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED; }
- }
-
- // private Timer for auto reconnect
- private CTimer RetryTimer;
-
- #endregion
-
- #region GenericSecureTcpIpClient properties
-
- ///
- /// Gets or sets the SharedKeyRequired
- ///
- public bool SharedKeyRequired { get; set; }
-
- ///
- /// S+ helper for requires shared key bool
- ///
- public ushort USharedKeyRequired
- {
- set
- {
- if (value == 1)
- SharedKeyRequired = true;
- else
- SharedKeyRequired = false;
- }
- }
-
- ///
- /// Gets or sets the SharedKey
- ///
- public string SharedKey { get; set; }
-
- ///
- /// flag to show the client is waiting for the server to send the shared key
- ///
- private bool WaitingForSharedKeyResponse { get; set; }
-
- ///
- /// Semaphore on connect method
- ///
- bool IsTryingToConnect;
-
- ///
- /// Gets or sets the IsReadyForCommunication
- ///
- public bool IsReadyForCommunication { get; set; }
-
- ///
- /// S+ helper for IsReadyForCommunication
- ///
- public ushort UIsReadyForCommunication
- {
- get { return (ushort)(IsReadyForCommunication ? 1 : 0); }
- }
-
- ///
- /// Bool Heartbeat Enabled flag
- ///
- public bool HeartbeatEnabled { get; set; }
-
- ///
- /// S+ helper for Heartbeat Enabled
- ///
- public ushort UHeartbeatEnabled
- {
- get { return (ushort)(HeartbeatEnabled ? 1 : 0); }
- set { HeartbeatEnabled = value == 1; }
- }
-
- ///
- /// Heartbeat String
- ///
- public string HeartbeatString { get; set; }
- //public int HeartbeatInterval = 50000;
-
- ///
- /// Milliseconds before server expects another heartbeat. Set by property HeartbeatRequiredIntervalInSeconds which is driven from S+
- ///
- public int HeartbeatInterval { get; set; }
-
- ///
- /// Simpl+ Heartbeat Analog value in seconds
- ///
- public ushort HeartbeatRequiredIntervalInSeconds { set { HeartbeatInterval = (value * 1000); } }
-
- CTimer HeartbeatSendTimer;
- CTimer HeartbeatAckTimer;
-
- // Used to force disconnection on a dead connect attempt
- CTimer ConnectFailTimer;
- CTimer WaitForSharedKey;
- private int ConnectionCount;
-
- bool ProgramIsStopping;
-
- ///
- /// Queue lock
- ///
- CCriticalSection DequeueLock = new CCriticalSection();
-
- ///
- /// Receive Queue size. Defaults to 20. Will set to 20 if QueueSize property is less than 20. Use constructor or set queue size property before
- /// calling initialize.
- ///
- public int ReceiveQueueSize { get; set; }
-
- ///
- /// Queue to temporarily store received messages with the source IP and Port info. Defaults to size 20. Use constructor or set queue size property before
- /// calling initialize.
- ///
- private CrestronQueue MessageQueue;
-
- #endregion
-
- #region Constructors
-
- ///
- /// Constructor
- ///
- ///
- ///
- ///
- ///
- public GenericSecureTcpIpClient(string key, string address, int port, int bufferSize)
- : base(key)
- {
- StreamDebugging = new CommunicationStreamDebugging(key);
- Hostname = address;
- Port = port;
- BufferSize = bufferSize;
- AutoReconnectIntervalMs = 5000;
-
- CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
- }
-
- ///
- /// Contstructor that sets all properties by calling the initialize method with a config object.
- ///
- ///
- ///
- public GenericSecureTcpIpClient(string key, TcpClientConfigObject clientConfigObject)
- : base(key)
- {
- StreamDebugging = new CommunicationStreamDebugging(key);
- CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
- AutoReconnectIntervalMs = 5000;
- BufferSize = 2000;
-
- Initialize(clientConfigObject);
- }
-
- ///
- /// Default constructor for S+
- ///
- public GenericSecureTcpIpClient()
- : base(SplusKey)
- {
- CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
- AutoReconnectIntervalMs = 5000;
- BufferSize = 2000;
- }
-
- ///
- /// Initialize method
- ///
- public void Initialize(string key)
- {
- Key = key;
- }
-
- ///
- /// Initialize called by the constructor that accepts a client config object. Can be called later to reset properties of client.
- ///
- ///
- public void Initialize(TcpClientConfigObject config)
- {
- if (config == null)
- {
- Debug.Console(0, this, "Could not initialize client with key: {0}", Key);
- return;
- }
- try
- {
- Hostname = config.Control.TcpSshProperties.Address;
- Port = config.Control.TcpSshProperties.Port > 0 && config.Control.TcpSshProperties.Port <= 65535
- ? config.Control.TcpSshProperties.Port
- : 80;
-
- AutoReconnect = config.Control.TcpSshProperties.AutoReconnect;
- AutoReconnectIntervalMs = config.Control.TcpSshProperties.AutoReconnectIntervalMs > 1000
- ? config.Control.TcpSshProperties.AutoReconnectIntervalMs
- : 5000;
-
- SharedKey = config.SharedKey;
- SharedKeyRequired = config.SharedKeyRequired;
-
- HeartbeatEnabled = config.HeartbeatRequired;
- HeartbeatRequiredIntervalInSeconds = config.HeartbeatRequiredIntervalInSeconds > 0
- ? config.HeartbeatRequiredIntervalInSeconds
- : (ushort)15;
-
-
- HeartbeatString = string.IsNullOrEmpty(config.HeartbeatStringToMatch)
- ? "heartbeat"
- : config.HeartbeatStringToMatch;
-
- BufferSize = config.Control.TcpSshProperties.BufferSize > 2000
- ? config.Control.TcpSshProperties.BufferSize
- : 2000;
-
- ReceiveQueueSize = config.ReceiveQueueSize > 20
- ? config.ReceiveQueueSize
- : 20;
-
- MessageQueue = new CrestronQueue(ReceiveQueueSize);
- }
- catch (Exception ex)
- {
- Debug.Console(0, this, "Exception initializing client with key: {0}\rException: {1}", Key, ex);
- }
- }
-
- #endregion
-
- ///
- /// Handles closing this up when the program shuts down
- ///
- void CrestronEnvironment_ProgramStatusEventHandler(eProgramStatusEventType programEventType)
- {
- if (programEventType == eProgramStatusEventType.Stopping || programEventType == eProgramStatusEventType.Paused)
- {
- Debug.Console(0, this, Debug.ErrorLogLevel.Notice, "Program stopping. Closing _client connection");
- ProgramIsStopping = true;
- Disconnect();
- }
-
- }
-
- ///
- /// Deactivate the client
- ///
- ///
- ///
- /// Deactivate method
- ///
- public override bool Deactivate()
+ get { return _hostname; }
+ set
{
+ _hostname = value;
if (_client != null)
{
- _client.SocketStatusChange -= this.Client_SocketStatusChange;
- DisconnectClient();
- }
- return true;
- }
-
- ///
- /// Connect method
- ///
- public void Connect()
- {
- ConnectionCount++;
- Debug.Console(2, this, "Attempting connect Count:{0}", ConnectionCount);
-
-
- if (IsConnected)
- {
- Debug.Console(0, this, Debug.ErrorLogLevel.Notice, "Already connected. Ignoring.");
- return;
- }
- if (IsTryingToConnect)
- {
- Debug.Console(0, this, Debug.ErrorLogLevel.Notice, "Already trying to connect. Ignoring.");
- return;
- }
- try
- {
- IsTryingToConnect = true;
- if (RetryTimer != null)
- {
- RetryTimer.Stop();
- RetryTimer = null;
- }
- if (string.IsNullOrEmpty(Hostname))
- {
- Debug.Console(0, this, Debug.ErrorLogLevel.Warning, "DynamicTcpClient: No address set");
- return;
- }
- if (Port < 1 || Port > 65535)
- {
- Debug.Console(0, this, Debug.ErrorLogLevel.Warning, "DynamicTcpClient: Invalid port");
- return;
- }
- if (string.IsNullOrEmpty(SharedKey) && SharedKeyRequired)
- {
- Debug.Console(0, this, Debug.ErrorLogLevel.Warning, "DynamicTcpClient: No Shared Key set");
- return;
- }
-
- // clean up previous client
- if (_client != null)
- {
- Disconnect();
- }
- DisconnectCalledByUser = false;
-
- _client = new SecureTCPClient(Hostname, Port, BufferSize);
- _client.SocketStatusChange += Client_SocketStatusChange;
- if (HeartbeatEnabled)
- _client.SocketSendOrReceiveTimeOutInMs = (HeartbeatInterval * 5);
- _client.AddressClientConnectedTo = Hostname;
- _client.PortNumber = Port;
- // SecureClient = c;
-
- //var timeOfConnect = DateTime.Now.ToString("HH:mm:ss.fff");
-
- ConnectFailTimer = new CTimer(o =>
- {
- Debug.Console(1, this, Debug.ErrorLogLevel.Error, "Connect attempt has not finished after 30sec Count:{0}", ConnectionCount);
- if (IsTryingToConnect)
- {
- IsTryingToConnect = false;
-
- //if (ConnectionHasHungCallback != null)
- //{
- // ConnectionHasHungCallback();
- //}
- //SecureClient.DisconnectFromServer();
- //CheckClosedAndTryReconnect();
- }
- }, 30000);
-
- Debug.Console(2, this, "Making Connection Count:{0}", ConnectionCount);
- _client.ConnectToServerAsync(o =>
- {
- Debug.Console(2, this, "ConnectToServerAsync Count:{0} Ran!", ConnectionCount);
-
- if (ConnectFailTimer != null)
- {
- ConnectFailTimer.Stop();
- }
- IsTryingToConnect = false;
-
- if (o.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
- {
- Debug.Console(2, this, "_client connected to {0} on port {1}", o.AddressClientConnectedTo, o.LocalPortNumberOfClient);
- o.ReceiveDataAsync(Receive);
-
- if (SharedKeyRequired)
- {
- WaitingForSharedKeyResponse = true;
- WaitForSharedKey = new CTimer(timer =>
- {
-
- Debug.Console(1, this, Debug.ErrorLogLevel.Warning, "Shared key exchange timer expired. IsReadyForCommunication={0}", IsReadyForCommunication);
- // Debug.Console(1, this, "Connect attempt failed {0}", c.ClientStatus);
- // This is the only case where we should call DisconectFromServer...Event handeler will trigger the cleanup
- o.DisconnectFromServer();
- //CheckClosedAndTryReconnect();
- //OnClientReadyForcommunications(false); // Should send false event
- }, 15000);
- }
- else
- {
- //CLient connected and shared key is not required so just raise the ready for communication event. if Shared key
- //required this is called by the shared key being negotiated
- if (IsReadyForCommunication == false)
- {
- OnClientReadyForcommunications(true); // Key not required
- }
- }
- }
- else
- {
- Debug.Console(1, this, "Connect attempt failed {0}", o.ClientStatus);
- CheckClosedAndTryReconnect();
- }
- });
- }
- catch (Exception ex)
- {
- Debug.Console(0, this, Debug.ErrorLogLevel.Error, "_client connection exception: {0}", ex.Message);
- IsTryingToConnect = false;
- CheckClosedAndTryReconnect();
+ _client.AddressClientConnectedTo = _hostname;
}
}
+ }
- ///
- /// Disconnect method
- ///
- public void Disconnect()
+ ///
+ /// Port on server
+ ///
+ public int Port { get; set; }
+
+ ///
+ /// S+ helper
+ ///
+ public ushort UPort
+ {
+ get { return Convert.ToUInt16(Port); }
+ set { Port = Convert.ToInt32(value); }
+ }
+
+ ///
+ /// Defaults to 2000
+ ///
+ public int BufferSize { get; set; }
+
+ ///
+ /// Internal secure client
+ ///
+ private SecureTCPClient _client;
+
+ ///
+ /// Bool showing if socket is connected
+ ///
+ public bool IsConnected
+ {
+ get { return _client != null && _client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED; }
+ }
+
+ ///
+ /// S+ helper for IsConnected
+ ///
+ public ushort UIsConnected
+ {
+ get { return (ushort)(IsConnected ? 1 : 0); }
+ }
+
+ ///
+ /// _client socket status Read only
+ ///
+ public SocketStatus ClientStatus
+ {
+ get
{
- this.LogVerbose("Disconnect Called");
+ return _client == null ? SocketStatus.SOCKET_STATUS_NO_CONNECT : _client.ClientStatus;
+ }
+ }
- DisconnectCalledByUser = true;
+ ///
+ /// Contains the familiar Simpl analog status values. This drives the ConnectionChange event
+ /// and IsConnected would be true when this == 2.
+ ///
+ public ushort UStatus
+ {
+ get { return (ushort)ClientStatus; }
+ }
- // stop trying reconnects, if we are
+ ///
+ /// Status text shows the message associated with socket status
+ ///
+ public string ClientStatusText { get { return ClientStatus.ToString(); } }
+
+ ///
+ /// Connection failure reason
+ ///
+ public string ConnectionFailure { get { return ClientStatus.ToString(); } }
+
+ ///
+ /// bool to track if auto reconnect should be set on the socket
+ ///
+ public bool AutoReconnect { get; set; }
+
+ ///
+ /// S+ helper for AutoReconnect
+ ///
+ public ushort UAutoReconnect
+ {
+ get { return (ushort)(AutoReconnect ? 1 : 0); }
+ set { AutoReconnect = value == 1; }
+ }
+
+ ///
+ /// Milliseconds to wait before attempting to reconnect. Defaults to 5000
+ ///
+ public int AutoReconnectIntervalMs { get; set; }
+
+ ///
+ /// Flag Set only when the disconnect method is called.
+ ///
+ bool DisconnectCalledByUser;
+
+ ///
+ ///
+ ///
+ public bool Connected
+ {
+ get { return _client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED; }
+ }
+
+ // private Timer for auto reconnect
+ private CTimer RetryTimer;
+
+ #endregion
+
+ #region GenericSecureTcpIpClient properties
+
+ ///
+ /// Bool to show whether the server requires a preshared key. This is used in the DynamicTCPServer class
+ ///
+ public bool SharedKeyRequired { get; set; }
+
+ ///
+ /// S+ helper for requires shared key bool
+ ///
+ public ushort USharedKeyRequired
+ {
+ set
+ {
+ if (value == 1)
+ SharedKeyRequired = true;
+ else
+ SharedKeyRequired = false;
+ }
+ }
+
+ ///
+ /// SharedKey is sent for varification to the server. Shared key can be any text (255 char limit in SIMPL+ Module), but must match the Shared Key on the Server module
+ ///
+ public string SharedKey { get; set; }
+
+ ///
+ /// flag to show the client is waiting for the server to send the shared key
+ ///
+ private bool WaitingForSharedKeyResponse { get; set; }
+
+ ///
+ /// Semaphore on connect method
+ ///
+ bool IsTryingToConnect;
+
+ ///
+ /// Bool showing if socket is ready for communication after shared key exchange
+ ///
+ public bool IsReadyForCommunication { get; set; }
+
+ ///
+ /// S+ helper for IsReadyForCommunication
+ ///
+ public ushort UIsReadyForCommunication
+ {
+ get { return (ushort)(IsReadyForCommunication ? 1 : 0); }
+ }
+
+ ///
+ /// Bool Heartbeat Enabled flag
+ ///
+ public bool HeartbeatEnabled { get; set; }
+
+ ///
+ /// S+ helper for Heartbeat Enabled
+ ///
+ public ushort UHeartbeatEnabled
+ {
+ get { return (ushort)(HeartbeatEnabled ? 1 : 0); }
+ set { HeartbeatEnabled = value == 1; }
+ }
+
+ ///
+ /// Heartbeat String
+ ///
+ public string HeartbeatString { get; set; }
+ //public int HeartbeatInterval = 50000;
+
+ ///
+ /// Milliseconds before server expects another heartbeat. Set by property HeartbeatRequiredIntervalInSeconds which is driven from S+
+ ///
+ public int HeartbeatInterval { get; set; }
+
+ ///
+ /// Simpl+ Heartbeat Analog value in seconds
+ ///
+ public ushort HeartbeatRequiredIntervalInSeconds { set { HeartbeatInterval = (value * 1000); } }
+
+ CTimer HeartbeatSendTimer;
+ CTimer HeartbeatAckTimer;
+
+ // Used to force disconnection on a dead connect attempt
+ CTimer ConnectFailTimer;
+ CTimer WaitForSharedKey;
+ private int ConnectionCount;
+
+ bool ProgramIsStopping;
+
+ ///
+ /// Queue lock
+ ///
+ CCriticalSection DequeueLock = new CCriticalSection();
+
+ ///
+ /// Receive Queue size. Defaults to 20. Will set to 20 if QueueSize property is less than 20. Use constructor or set queue size property before
+ /// calling initialize.
+ ///
+ public int ReceiveQueueSize { get; set; }
+
+ ///
+ /// Queue to temporarily store received messages with the source IP and Port info. Defaults to size 20. Use constructor or set queue size property before
+ /// calling initialize.
+ ///
+ private CrestronQueue MessageQueue;
+
+ #endregion
+
+ #region Constructors
+
+ ///
+ /// Constructor
+ ///
+ ///
+ ///
+ ///
+ ///
+ public GenericSecureTcpIpClient(string key, string address, int port, int bufferSize)
+ : base(key)
+ {
+ StreamDebugging = new CommunicationStreamDebugging(key);
+ Hostname = address;
+ Port = port;
+ BufferSize = bufferSize;
+ AutoReconnectIntervalMs = 5000;
+
+ CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
+ }
+
+ ///
+ /// Contstructor that sets all properties by calling the initialize method with a config object.
+ ///
+ ///
+ ///
+ public GenericSecureTcpIpClient(string key, TcpClientConfigObject clientConfigObject)
+ : base(key)
+ {
+ StreamDebugging = new CommunicationStreamDebugging(key);
+ CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
+ AutoReconnectIntervalMs = 5000;
+ BufferSize = 2000;
+
+ Initialize(clientConfigObject);
+ }
+
+ ///
+ /// Default constructor for S+
+ ///
+ public GenericSecureTcpIpClient()
+ : base(SplusKey)
+ {
+ CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
+ AutoReconnectIntervalMs = 5000;
+ BufferSize = 2000;
+ }
+
+ ///
+ /// Just to help S+ set the key
+ ///
+ public void Initialize(string key)
+ {
+ Key = key;
+ }
+
+ ///
+ /// Initialize called by the constructor that accepts a client config object. Can be called later to reset properties of client.
+ ///
+ ///
+ public void Initialize(TcpClientConfigObject config)
+ {
+ if (config == null)
+ {
+ this.LogWarning( "Could not initialize client with key: {0}", Key);
+ return;
+ }
+ try
+ {
+ Hostname = config.Control.TcpSshProperties.Address;
+ Port = config.Control.TcpSshProperties.Port > 0 && config.Control.TcpSshProperties.Port <= 65535
+ ? config.Control.TcpSshProperties.Port
+ : 80;
+
+ AutoReconnect = config.Control.TcpSshProperties.AutoReconnect;
+ AutoReconnectIntervalMs = config.Control.TcpSshProperties.AutoReconnectIntervalMs > 1000
+ ? config.Control.TcpSshProperties.AutoReconnectIntervalMs
+ : 5000;
+
+ SharedKey = config.SharedKey;
+ SharedKeyRequired = config.SharedKeyRequired;
+
+ HeartbeatEnabled = config.HeartbeatRequired;
+ HeartbeatRequiredIntervalInSeconds = config.HeartbeatRequiredIntervalInSeconds > 0
+ ? config.HeartbeatRequiredIntervalInSeconds
+ : (ushort)15;
+
+
+ HeartbeatString = string.IsNullOrEmpty(config.HeartbeatStringToMatch)
+ ? "heartbeat"
+ : config.HeartbeatStringToMatch;
+
+ BufferSize = config.Control.TcpSshProperties.BufferSize > 2000
+ ? config.Control.TcpSshProperties.BufferSize
+ : 2000;
+
+ ReceiveQueueSize = config.ReceiveQueueSize > 20
+ ? config.ReceiveQueueSize
+ : 20;
+
+ MessageQueue = new CrestronQueue(ReceiveQueueSize);
+ }
+ catch (Exception ex)
+ {
+ this.LogError("Exception initializing client with key: {0}\rException: {1}", Key, ex);
+ }
+ }
+
+ #endregion
+
+ ///
+ /// Handles closing this up when the program shuts down
+ ///
+ void CrestronEnvironment_ProgramStatusEventHandler(eProgramStatusEventType programEventType)
+ {
+ if (programEventType == eProgramStatusEventType.Stopping || programEventType == eProgramStatusEventType.Paused)
+ {
+ this.LogInformation("Program stopping. Closing _client connection");
+ ProgramIsStopping = true;
+ Disconnect();
+ }
+
+ }
+
+ ///
+ /// Deactivate the client
+ ///
+ ///
+ public override bool Deactivate()
+ {
+ if (_client != null)
+ {
+ _client.SocketStatusChange -= this.Client_SocketStatusChange;
+ DisconnectClient();
+ }
+ return true;
+ }
+
+ ///
+ /// Connect Method. Will return if already connected. Will write errors if missing address, port, or unique key/name.
+ ///
+ public void Connect()
+ {
+ ConnectionCount++;
+ this.LogVerbose("Attempting connect Count:{0}", ConnectionCount);
+
+
+ if (IsConnected)
+ {
+ this.LogInformation("Already connected. Ignoring.");
+ return;
+ }
+ if (IsTryingToConnect)
+ {
+ this.LogInformation("Already trying to connect. Ignoring.");
+ return;
+ }
+ try
+ {
+ IsTryingToConnect = true;
if (RetryTimer != null)
{
RetryTimer.Stop();
RetryTimer = null;
}
-
- if (_client != null)
+ if (string.IsNullOrEmpty(Hostname))
{
- DisconnectClient();
- this.LogDebug("Disconnected");
+ this.LogWarning("DynamicTcpClient: No address set");
+ return;
+ }
+ if (Port < 1 || Port > 65535)
+ {
+ this.LogWarning("DynamicTcpClient: Invalid port");
+ return;
+ }
+ if (string.IsNullOrEmpty(SharedKey) && SharedKeyRequired)
+ {
+ this.LogWarning("DynamicTcpClient: No Shared Key set");
+ return;
}
- }
- ///
- /// DisconnectClient method
- ///
- public void DisconnectClient()
- {
- if (_client == null) return;
-
- Debug.Console(1, this, "Disconnecting client");
- if (IsConnected)
- _client.DisconnectFromServer();
-
- // close up client. ALWAYS use this when disconnecting.
- IsTryingToConnect = false;
-
- Debug.Console(2, this, "Disconnecting _client {0}", DisconnectCalledByUser ? ", Called by user" : "");
- _client.SocketStatusChange -= Client_SocketStatusChange;
- _client.Dispose();
- _client = null;
-
- if (ConnectFailTimer == null) return;
- ConnectFailTimer.Stop();
- ConnectFailTimer.Dispose();
- ConnectFailTimer = null;
- }
-
- #region Methods
-
- ///
- /// Called from Connect failure or Socket Status change if
- /// auto reconnect and socket disconnected (Not disconnected by user)
- ///
- void CheckClosedAndTryReconnect()
- {
+ // clean up previous client
if (_client != null)
{
- Debug.Console(2, this, "Cleaning up remotely closed/failed connection.");
Disconnect();
}
- if (!DisconnectCalledByUser && AutoReconnect)
+ DisconnectCalledByUser = false;
+
+ _client = new SecureTCPClient(Hostname, Port, BufferSize);
+ _client.SocketStatusChange += Client_SocketStatusChange;
+ if (HeartbeatEnabled)
+ _client.SocketSendOrReceiveTimeOutInMs = (HeartbeatInterval * 5);
+ _client.AddressClientConnectedTo = Hostname;
+ _client.PortNumber = Port;
+ // SecureClient = c;
+
+ //var timeOfConnect = DateTime.Now.ToString("HH:mm:ss.fff");
+
+ ConnectFailTimer = new CTimer(o =>
{
- var halfInterval = AutoReconnectIntervalMs / 2;
- var rndTime = new Random().Next(-halfInterval, halfInterval) + AutoReconnectIntervalMs;
- Debug.Console(2, this, "Attempting reconnect in {0} ms, randomized", rndTime);
- if (RetryTimer != null)
+ this.LogError("Connect attempt has not finished after 30sec Count:{0}", ConnectionCount);
+ if (IsTryingToConnect)
{
- RetryTimer.Stop();
- RetryTimer = null;
+ IsTryingToConnect = false;
+
+ //if (ConnectionHasHungCallback != null)
+ //{
+ // ConnectionHasHungCallback();
+ //}
+ //SecureClient.DisconnectFromServer();
+ //CheckClosedAndTryReconnect();
}
- if (AutoReconnectTriggered != null)
- AutoReconnectTriggered(this, new EventArgs());
- RetryTimer = new CTimer(o => Connect(), rndTime);
- }
- }
+ }, 30000);
- ///
- /// Receive callback
- ///
- ///
- ///
- void Receive(SecureTCPClient client, int numBytes)
- {
- if (numBytes > 0)
+ this.LogVerbose("Making Connection Count:{0}", ConnectionCount);
+ _client.ConnectToServerAsync(o =>
{
- string str = string.Empty;
- var handler = TextReceivedQueueInvoke;
- try
+ this.LogVerbose("ConnectToServerAsync Count:{0} Ran!", ConnectionCount);
+
+ if (ConnectFailTimer != null)
{
- var bytes = client.IncomingDataBuffer.Take(numBytes).ToArray();
- str = Encoding.GetEncoding(28591).GetString(bytes, 0, bytes.Length);
- Debug.Console(2, this, "_client Received:\r--------\r{0}\r--------", str);
- if (!string.IsNullOrEmpty(checkHeartbeat(str)))
+ ConnectFailTimer.Stop();
+ }
+ IsTryingToConnect = false;
+
+ if (o.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
+ {
+ this.LogVerbose("_client connected to {0} on port {1}", o.AddressClientConnectedTo, o.LocalPortNumberOfClient);
+ o.ReceiveDataAsync(Receive);
+
+ if (SharedKeyRequired)
{
-
- if (SharedKeyRequired && str == "SharedKey:")
+ WaitingForSharedKeyResponse = true;
+ WaitForSharedKey = new CTimer(timer =>
{
- Debug.Console(2, this, "Server asking for shared key, sending");
- SendText(SharedKey + "\n");
- }
- else if (SharedKeyRequired && str == "Shared Key Match")
- {
- StopWaitForSharedKeyTimer();
-
- Debug.Console(2, this, "Shared key confirmed. Ready for communication");
- OnClientReadyForcommunications(true); // Successful key exchange
- }
- else
+ this.LogWarning("Shared key exchange timer expired. IsReadyForCommunication={0}", IsReadyForCommunication);
+ // Debug.Console(1, this, "Connect attempt failed {0}", c.ClientStatus);
+ // This is the only case where we should call DisconectFromServer...Event handeler will trigger the cleanup
+ o.DisconnectFromServer();
+ //CheckClosedAndTryReconnect();
+ //OnClientReadyForcommunications(false); // Should send false event
+ }, 15000);
+ }
+ else
+ {
+ //CLient connected and shared key is not required so just raise the ready for communication event. if Shared key
+ //required this is called by the shared key being negotiated
+ if (IsReadyForCommunication == false)
{
- //var bytesHandler = BytesReceived;
- //if (bytesHandler != null)
- // bytesHandler(this, new GenericCommMethodReceiveBytesArgs(bytes));
- var textHandler = TextReceived;
- if (textHandler != null)
- textHandler(this, new GenericCommMethodReceiveTextArgs(str));
- if (handler != null)
- {
- MessageQueue.TryToEnqueue(new GenericTcpServerCommMethodReceiveTextArgs(str));
- }
+ OnClientReadyForcommunications(true); // Key not required
}
}
}
- catch (Exception ex)
+ else
{
- Debug.Console(1, this, "Error receiving data: {1}. Error: {0}", ex.Message, str);
+ this.LogWarning("Connect attempt failed {0}", o.ClientStatus);
+ CheckClosedAndTryReconnect();
}
- if (client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
- client.ReceiveDataAsync(Receive);
+ });
+ }
+ catch (Exception ex)
+ {
+ this.LogError("_client connection exception: {0}", ex.Message);
+ IsTryingToConnect = false;
+ CheckClosedAndTryReconnect();
+ }
+ }
- //Check to see if there is a subscription to the TextReceivedQueueInvoke event. If there is start the dequeue thread.
- if (handler != null)
- {
- var gotLock = DequeueLock.TryEnter();
- if (gotLock)
- CrestronInvoke.BeginInvoke((o) => DequeueEvent());
- }
- }
- else //JAG added this as I believe the error return is 0 bytes like the server. See help when hover on ReceiveAsync
- {
- client.DisconnectFromServer();
- }
+ ///
+ ///
+ ///
+ public void Disconnect()
+ {
+ this.LogVerbose("Disconnect Called");
+
+ DisconnectCalledByUser = true;
+
+ // stop trying reconnects, if we are
+ if (RetryTimer != null)
+ {
+ RetryTimer.Stop();
+ RetryTimer = null;
}
- ///
- /// This method gets spooled up in its own thread an protected by a CCriticalSection to prevent multiple threads from running concurrently.
- /// It will dequeue items as they are enqueued automatically.
- ///
- void DequeueEvent()
+ if (_client != null)
{
+ DisconnectClient();
+ this.LogDebug("Disconnected");
+ }
+ }
+
+ ///
+ /// Does the actual disconnect business
+ ///
+ public void DisconnectClient()
+ {
+ if (_client == null) return;
+
+ this.LogInformation("Disconnecting client");
+ if (IsConnected)
+ _client.DisconnectFromServer();
+
+ // close up client. ALWAYS use this when disconnecting.
+ IsTryingToConnect = false;
+
+ this.LogVerbose("Disconnecting _client {0}", DisconnectCalledByUser ? ", Called by user" : "");
+ _client.SocketStatusChange -= Client_SocketStatusChange;
+ _client.Dispose();
+ _client = null;
+
+ if (ConnectFailTimer == null) return;
+ ConnectFailTimer.Stop();
+ ConnectFailTimer.Dispose();
+ ConnectFailTimer = null;
+ }
+
+ #region Methods
+
+ ///
+ /// Called from Connect failure or Socket Status change if
+ /// auto reconnect and socket disconnected (Not disconnected by user)
+ ///
+ void CheckClosedAndTryReconnect()
+ {
+ if (_client != null)
+ {
+ this.LogVerbose("Cleaning up remotely closed/failed connection.");
+ Disconnect();
+ }
+ if (!DisconnectCalledByUser && AutoReconnect)
+ {
+ var halfInterval = AutoReconnectIntervalMs / 2;
+ var rndTime = new Random().Next(-halfInterval, halfInterval) + AutoReconnectIntervalMs;
+ this.LogVerbose("Attempting reconnect in {0} ms, randomized", rndTime);
+ if (RetryTimer != null)
+ {
+ RetryTimer.Stop();
+ RetryTimer = null;
+ }
+ if (AutoReconnectTriggered != null)
+ AutoReconnectTriggered(this, new EventArgs());
+ RetryTimer = new CTimer(o => Connect(), rndTime);
+ }
+ }
+
+ ///
+ /// Receive callback
+ ///
+ ///
+ ///
+ void Receive(SecureTCPClient client, int numBytes)
+ {
+ if (numBytes > 0)
+ {
+ string str = string.Empty;
+ var handler = TextReceivedQueueInvoke;
try
{
- while (true)
+ var bytes = client.IncomingDataBuffer.Take(numBytes).ToArray();
+ str = Encoding.GetEncoding(28591).GetString(bytes, 0, bytes.Length);
+ this.LogVerbose("_client Received:\r--------\r{0}\r--------", str);
+ if (!string.IsNullOrEmpty(checkHeartbeat(str)))
{
- // Pull from Queue and fire an event. Block indefinitely until an item can be removed, similar to a Gather.
- var message = MessageQueue.Dequeue();
- var handler = TextReceivedQueueInvoke;
- if (handler != null)
+
+ if (SharedKeyRequired && str == "SharedKey:")
{
- handler(this, message);
+ this.LogVerbose("Server asking for shared key, sending");
+ SendText(SharedKey + "\n");
+ }
+ else if (SharedKeyRequired && str == "Shared Key Match")
+ {
+ StopWaitForSharedKeyTimer();
+
+
+ this.LogVerbose("Shared key confirmed. Ready for communication");
+ OnClientReadyForcommunications(true); // Successful key exchange
+ }
+ else
+ {
+ //var bytesHandler = BytesReceived;
+ //if (bytesHandler != null)
+ // bytesHandler(this, new GenericCommMethodReceiveBytesArgs(bytes));
+ var textHandler = TextReceived;
+ if (textHandler != null)
+ textHandler(this, new GenericCommMethodReceiveTextArgs(str));
+ if (handler != null)
+ {
+ MessageQueue.TryToEnqueue(new GenericTcpServerCommMethodReceiveTextArgs(str));
+ }
}
}
}
- catch (Exception e)
+ catch (Exception ex)
{
- this.LogException(e, "DequeueEvent error");
+ this.LogError("Error receiving data: {1}. Error: {0}", str, ex.Message);
}
- // Make sure to leave the CCritical section in case an exception above stops this thread, or we won't be able to restart it.
- if (DequeueLock != null)
+ if (client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
+ client.ReceiveDataAsync(Receive);
+
+ //Check to see if there is a subscription to the TextReceivedQueueInvoke event. If there is start the dequeue thread.
+ if (handler != null)
{
- DequeueLock.Leave();
+ var gotLock = DequeueLock.TryEnter();
+ if (gotLock)
+ CrestronInvoke.BeginInvoke((o) => DequeueEvent());
+ }
+ }
+ else //JAG added this as I believe the error return is 0 bytes like the server. See help when hover on ReceiveAsync
+ {
+ client.DisconnectFromServer();
+ }
+ }
+
+ ///
+ /// This method gets spooled up in its own thread an protected by a CCriticalSection to prevent multiple threads from running concurrently.
+ /// It will dequeue items as they are enqueued automatically.
+ ///
+ void DequeueEvent()
+ {
+ try
+ {
+ while (true)
+ {
+ // Pull from Queue and fire an event. Block indefinitely until an item can be removed, similar to a Gather.
+ var message = MessageQueue.Dequeue();
+ var handler = TextReceivedQueueInvoke;
+ if (handler != null)
+ {
+ handler(this, message);
+ }
+ }
+ }
+ catch (Exception e)
+ {
+ this.LogError(e, "DequeueEvent error: {0}", e.Message);
+ }
+ // Make sure to leave the CCritical section in case an exception above stops this thread, or we won't be able to restart it.
+ if (DequeueLock != null)
+ {
+ DequeueLock.Leave();
+ }
+ }
+
+ void HeartbeatStart()
+ {
+ if (HeartbeatEnabled)
+ {
+ this.LogVerbose("Starting Heartbeat");
+ if (HeartbeatSendTimer == null)
+ {
+
+ HeartbeatSendTimer = new CTimer(this.SendHeartbeat, null, HeartbeatInterval, HeartbeatInterval);
+ }
+ if (HeartbeatAckTimer == null)
+ {
+ HeartbeatAckTimer = new CTimer(HeartbeatAckTimerFail, null, (HeartbeatInterval * 2), (HeartbeatInterval * 2));
}
}
- void HeartbeatStart()
+ }
+ void HeartbeatStop()
+ {
+
+ if (HeartbeatSendTimer != null)
+ {
+ this.LogVerbose("Stoping Heartbeat Send");
+ HeartbeatSendTimer.Stop();
+ HeartbeatSendTimer = null;
+ }
+ if (HeartbeatAckTimer != null)
+ {
+ this.LogVerbose("Stoping Heartbeat Ack");
+ HeartbeatAckTimer.Stop();
+ HeartbeatAckTimer = null;
+ }
+
+ }
+ void SendHeartbeat(object notused)
+ {
+ this.SendText(HeartbeatString);
+ this.LogVerbose("Sending Heartbeat");
+
+ }
+
+ //private method to check heartbeat requirements and start or reset timer
+ string checkHeartbeat(string received)
+ {
+ try
{
if (HeartbeatEnabled)
{
- this.LogVerbose("Starting Heartbeat");
- if (HeartbeatSendTimer == null)
+ if (!string.IsNullOrEmpty(HeartbeatString))
{
-
- HeartbeatSendTimer = new CTimer(this.SendHeartbeat, null, HeartbeatInterval, HeartbeatInterval);
- }
- if (HeartbeatAckTimer == null)
- {
- HeartbeatAckTimer = new CTimer(HeartbeatAckTimerFail, null, (HeartbeatInterval * 2), (HeartbeatInterval * 2));
- }
- }
-
- }
- void HeartbeatStop()
- {
-
- if (HeartbeatSendTimer != null)
- {
- Debug.Console(2, this, "Stoping Heartbeat Send");
- HeartbeatSendTimer.Stop();
- HeartbeatSendTimer = null;
- }
- if (HeartbeatAckTimer != null)
- {
- Debug.Console(2, this, "Stoping Heartbeat Ack");
- HeartbeatAckTimer.Stop();
- HeartbeatAckTimer = null;
- }
-
- }
- void SendHeartbeat(object notused)
- {
- this.SendText(HeartbeatString);
- Debug.Console(2, this, "Sending Heartbeat");
-
- }
-
- //private method to check heartbeat requirements and start or reset timer
- string checkHeartbeat(string received)
- {
- try
- {
- if (HeartbeatEnabled)
- {
- if (!string.IsNullOrEmpty(HeartbeatString))
+ var remainingText = received.Replace(HeartbeatString, "");
+ var noDelimiter = received.Trim(new char[] { '\r', '\n' });
+ if (noDelimiter.Contains(HeartbeatString))
{
- var remainingText = received.Replace(HeartbeatString, "");
- var noDelimiter = received.Trim(new char[] { '\r', '\n' });
- if (noDelimiter.Contains(HeartbeatString))
+ if (HeartbeatAckTimer != null)
{
- if (HeartbeatAckTimer != null)
- {
- HeartbeatAckTimer.Reset(HeartbeatInterval * 2);
- }
- else
- {
- HeartbeatAckTimer = new CTimer(HeartbeatAckTimerFail, null, (HeartbeatInterval * 2), (HeartbeatInterval * 2));
- }
- Debug.Console(2, this, "Heartbeat Received: {0}, from Server", HeartbeatString);
- return remainingText;
+ HeartbeatAckTimer.Reset(HeartbeatInterval * 2);
}
- }
- }
- }
- catch (Exception ex)
- {
- Debug.Console(1, this, "Error checking heartbeat: {0}", ex.Message);
- }
- return received;
- }
-
-
-
- void HeartbeatAckTimerFail(object o)
- {
- try
- {
-
- if (IsConnected)
- {
- Debug.Console(1, Debug.ErrorLogLevel.Warning, "Heartbeat not received from Server...DISCONNECTING BECAUSE HEARTBEAT REQUIRED IS TRUE");
- SendText("Heartbeat not received by server, closing connection");
- CheckClosedAndTryReconnect();
- }
-
- }
- catch (Exception ex)
- {
- ErrorLog.Error("Heartbeat timeout Error on _client: {0}, {1}", Key, ex);
- }
- }
-
- ///
- ///
- ///
- void StopWaitForSharedKeyTimer()
- {
- if (WaitForSharedKey != null)
- {
- WaitForSharedKey.Stop();
- WaitForSharedKey = null;
- }
- }
-
- ///
- /// SendText method
- ///
- public void SendText(string text)
- {
- if (!string.IsNullOrEmpty(text))
- {
- try
- {
- var bytes = Encoding.GetEncoding(28591).GetBytes(text);
- if (_client != null && _client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
- {
- _client.SendDataAsync(bytes, bytes.Length, (c, n) =>
+ else
{
- // HOW IN THE HELL DO WE CATCH AN EXCEPTION IN SENDING?????
- if (n <= 0)
- {
- Debug.Console(1, Debug.ErrorLogLevel.Warning, "[{0}] Sent zero bytes. Was there an error?", this.Key);
- }
- });
+ HeartbeatAckTimer = new CTimer(HeartbeatAckTimerFail, null, (HeartbeatInterval * 2), (HeartbeatInterval * 2));
+ }
+ this.LogVerbose("Heartbeat Received: {0}, from Server", HeartbeatString);
+ return remainingText;
}
}
- catch (Exception ex)
- {
- Debug.Console(0, this, "Error sending text: {1}. Error: {0}", ex.Message, text);
- }
}
}
-
- ///
- /// SendBytes method
- ///
- public void SendBytes(byte[] bytes)
+ catch (Exception ex)
{
- if (bytes.Length > 0)
- {
- try
- {
- if (_client != null && _client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
- _client.SendData(bytes, bytes.Length);
- }
- catch (Exception ex)
- {
- Debug.Console(0, this, "Error sending bytes. Error: {0}", ex.Message);
- }
- }
+ this.LogError(ex, "Error checking heartbeat: {0}", ex.Message);
}
-
- ///
- /// SocketStatusChange Callback
- ///
- ///
- ///
- void Client_SocketStatusChange(SecureTCPClient client, SocketStatus clientSocketStatus)
- {
- if (ProgramIsStopping)
- {
- ProgramIsStopping = false;
- return;
- }
- try
- {
- Debug.Console(2, this, "Socket status change: {0} ({1})", client.ClientStatus, (ushort)(client.ClientStatus));
-
- OnConnectionChange();
- // The client could be null or disposed by this time...
- if (_client == null || _client.ClientStatus != SocketStatus.SOCKET_STATUS_CONNECTED)
- {
- HeartbeatStop();
- OnClientReadyForcommunications(false); // socket has gone low
- CheckClosedAndTryReconnect();
- }
- }
- catch (Exception ex)
- {
- Debug.Console(1, this, Debug.ErrorLogLevel.Error, "Error in socket status change callback. Error: {0}\r\r{1}", ex, ex.InnerException);
- }
- }
-
- ///
- /// Helper for ConnectionChange event
- ///
- void OnConnectionChange()
- {
- var handler = ConnectionChange;
- if (handler == null) return;
-
- handler(this, new GenericSocketStatusChageEventArgs(this));
- }
-
- ///
- /// Helper to fire ClientReadyForCommunications event
- ///
- void OnClientReadyForcommunications(bool isReady)
- {
- IsReadyForCommunication = isReady;
- if (IsReadyForCommunication)
- HeartbeatStart();
-
- var handler = ClientReadyForCommunications;
- if (handler == null) return;
-
- handler(this, new GenericTcpServerClientReadyForcommunicationsEventArgs(IsReadyForCommunication));
- }
- #endregion
+ return received;
}
+
+
+ void HeartbeatAckTimerFail(object o)
+ {
+ try
+ {
+
+ if (IsConnected)
+ {
+ this.LogWarning("Heartbeat not received from Server...DISCONNECTING BECAUSE HEARTBEAT REQUIRED IS TRUE");
+ SendText("Heartbeat not received by server, closing connection");
+ CheckClosedAndTryReconnect();
+ }
+
+ }
+ catch (Exception ex)
+ {
+ this.LogError(ex, "Heartbeat timeout Error on _client: {0}, {1}", Key, ex.Message);
+ }
+ }
+
+ ///
+ ///
+ ///
+ void StopWaitForSharedKeyTimer()
+ {
+ if (WaitForSharedKey != null)
+ {
+ WaitForSharedKey.Stop();
+ WaitForSharedKey = null;
+ }
+ }
+
+ ///
+ /// General send method
+ ///
+ public void SendText(string text)
+ {
+ if (!string.IsNullOrEmpty(text))
+ {
+ try
+ {
+ var bytes = Encoding.GetEncoding(28591).GetBytes(text);
+ if (_client != null && _client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
+ {
+ _client.SendDataAsync(bytes, bytes.Length, (c, n) =>
+ {
+ // HOW IN THE HELL DO WE CATCH AN EXCEPTION IN SENDING?????
+ if (n <= 0)
+ {
+ this.LogWarning("[{0}] Sent zero bytes. Was there an error?", this.Key);
+ }
+ });
+ }
+ }
+ catch (Exception ex)
+ {
+ this.LogError(ex, "Error sending text: {1}. Error: {0}", ex.Message, text);
+ }
+ }
+ }
+
+ ///
+ ///
+ ///
+ public void SendBytes(byte[] bytes)
+ {
+ if (bytes.Length > 0)
+ {
+ try
+ {
+ if (_client != null && _client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
+ _client.SendData(bytes, bytes.Length);
+ }
+ catch (Exception ex)
+ {
+ this.LogError(ex, "Error sending bytes. Error: {0}", ex.Message);
+ }
+ }
+ }
+
+ ///
+ /// SocketStatusChange Callback
+ ///
+ ///
+ ///
+ void Client_SocketStatusChange(SecureTCPClient client, SocketStatus clientSocketStatus)
+ {
+ if (ProgramIsStopping)
+ {
+ ProgramIsStopping = false;
+ return;
+ }
+ try
+ {
+ this.LogVerbose("Socket status change: {0} ({1})", client.ClientStatus, (ushort)(client.ClientStatus));
+
+ OnConnectionChange();
+ // The client could be null or disposed by this time...
+ if (_client == null || _client.ClientStatus != SocketStatus.SOCKET_STATUS_CONNECTED)
+ {
+ HeartbeatStop();
+ OnClientReadyForcommunications(false); // socket has gone low
+ CheckClosedAndTryReconnect();
+ }
+ }
+ catch (Exception ex)
+ {
+ this.LogError(ex, "Error in socket status change callback. Error: {0}\r\r{1}", ex, ex.InnerException);
+ }
+ }
+
+ ///
+ /// Helper for ConnectionChange event
+ ///
+ void OnConnectionChange()
+ {
+ var handler = ConnectionChange;
+ if (handler == null) return;
+
+ handler(this, new GenericSocketStatusChageEventArgs(this));
+ }
+
+ ///
+ /// Helper to fire ClientReadyForCommunications event
+ ///
+ void OnClientReadyForcommunications(bool isReady)
+ {
+ IsReadyForCommunication = isReady;
+ if (IsReadyForCommunication)
+ HeartbeatStart();
+
+ var handler = ClientReadyForCommunications;
+ if (handler == null) return;
+
+ handler(this, new GenericTcpServerClientReadyForcommunicationsEventArgs(IsReadyForCommunication));
+ }
+ #endregion
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/Comm/GenericSecureTcpIpClient_ForServer.cs b/src/PepperDash.Core/Comm/GenericSecureTcpIpClient_ForServer.cs
index 49350164..d46ce374 100644
--- a/src/PepperDash.Core/Comm/GenericSecureTcpIpClient_ForServer.cs
+++ b/src/PepperDash.Core/Comm/GenericSecureTcpIpClient_ForServer.cs
@@ -19,891 +19,890 @@ using Crestron.SimplSharp;
using Crestron.SimplSharp.CrestronSockets;
using PepperDash.Core.Logging;
-namespace PepperDash.Core
+namespace PepperDash.Core;
+
+///
+/// Generic secure TCP/IP client for server
+///
+public class GenericSecureTcpIpClient_ForServer : Device, IAutoReconnect
{
///
- /// Generic secure TCP/IP client for server
+ /// Band aid delegate for choked server
///
- public class GenericSecureTcpIpClient_ForServer : Device, IAutoReconnect
+ internal delegate void ConnectionHasHungCallbackDelegate();
+
+ #region Events
+
+ //public event EventHandler BytesReceived;
+
+ ///
+ /// Notifies of text received
+ ///
+ public event EventHandler TextReceived;
+
+ ///
+ /// Notifies of auto reconnect sequence triggered
+ ///
+ public event EventHandler AutoReconnectTriggered;
+
+ ///
+ /// Event for Receiving text. Once subscribed to this event the receive callback will start a thread that dequeues the messages and invokes the event on a new thread.
+ /// It is not recommended to use both the TextReceived event and the TextReceivedQueueInvoke event.
+ ///
+ public event EventHandler TextReceivedQueueInvoke;
+
+ ///
+ /// Notifies of socket status change
+ ///
+ public event EventHandler ConnectionChange;
+
+
+ ///
+ /// This is something of a band-aid callback. If the client times out during the connection process, because the server
+ /// is stuck, this will fire. It is intended to be used by the Server class monitor client, to help
+ /// keep a watch on the server and reset it if necessary.
+ ///
+ internal ConnectionHasHungCallbackDelegate ConnectionHasHungCallback;
+
+ ///
+ /// For a client with a pre shared key, this will fire after the communication is established and the key exchange is complete. If you require
+ /// a key and subscribe to the socket change event and try to send data on a connection the data sent will interfere with the key exchange and disconnect.
+ ///
+ public event EventHandler ClientReadyForCommunications;
+
+ #endregion
+
+ #region Properties & Variables
+
+ ///
+ /// Address of server
+ ///
+ public string Hostname { get; set; }
+
+ ///
+ /// The port number on which the server is listening.
+ ///
+ public int Port { get; set; }
+
+ ///
+ /// S+ helper
+ ///
+ public ushort UPort
{
- ///
- /// Band aid delegate for choked server
- ///
- internal delegate void ConnectionHasHungCallbackDelegate();
+ get { return Convert.ToUInt16(Port); }
+ set { Port = Convert.ToInt32(value); }
+ }
- #region Events
+ ///
+ /// Bool to show whether the server requires a preshared key. This is used in the DynamicTCPServer class
+ ///
+ public bool SharedKeyRequired { get; set; }
- //public event EventHandler BytesReceived;
-
- ///
- /// Notifies of text received
- ///
- public event EventHandler TextReceived;
-
- ///
- /// Notifies of auto reconnect sequence triggered
- ///
- public event EventHandler AutoReconnectTriggered;
-
- ///
- /// Event for Receiving text. Once subscribed to this event the receive callback will start a thread that dequeues the messages and invokes the event on a new thread.
- /// It is not recommended to use both the TextReceived event and the TextReceivedQueueInvoke event.
- ///
- public event EventHandler TextReceivedQueueInvoke;
-
- ///
- /// Notifies of socket status change
- ///
- public event EventHandler ConnectionChange;
-
-
- ///
- /// This is something of a band-aid callback. If the client times out during the connection process, because the server
- /// is stuck, this will fire. It is intended to be used by the Server class monitor client, to help
- /// keep a watch on the server and reset it if necessary.
- ///
- internal ConnectionHasHungCallbackDelegate ConnectionHasHungCallback;
-
- ///
- /// For a client with a pre shared key, this will fire after the communication is established and the key exchange is complete. If you require
- /// a key and subscribe to the socket change event and try to send data on a connection the data sent will interfere with the key exchange and disconnect.
- ///
- public event EventHandler ClientReadyForCommunications;
-
- #endregion
-
- #region Properties & Variables
-
- ///
- /// Address of server
- ///
- public string Hostname { get; set; }
-
- ///
- /// Gets or sets the Port
- ///
- public int Port { get; set; }
-
- ///
- /// S+ helper
- ///
- public ushort UPort
+ ///
+ /// S+ helper for requires shared key bool
+ ///
+ public ushort USharedKeyRequired
+ {
+ set
{
- get { return Convert.ToUInt16(Port); }
- set { Port = Convert.ToInt32(value); }
+ if (value == 1)
+ SharedKeyRequired = true;
+ else
+ SharedKeyRequired = false;
}
+ }
- ///
- /// Bool to show whether the server requires a preshared key. This is used in the DynamicTCPServer class
- ///
- public bool SharedKeyRequired { get; set; }
+ ///
+ /// SharedKey is sent for verification to the server. Shared key can be any text (255 char limit in SIMPL+ Module), but must match the Shared Key on the Server module
+ ///
+ public string SharedKey { get; set; }
- ///
- /// S+ helper for requires shared key bool
- ///
- public ushort USharedKeyRequired
+ ///
+ /// flag to show the client is waiting for the server to send the shared key
+ ///
+ private bool WaitingForSharedKeyResponse { get; set; }
+
+ ///
+ /// Defaults to 2000
+ ///
+ public int BufferSize { get; set; }
+
+ ///
+ /// Semaphore on connect method
+ ///
+ bool IsTryingToConnect;
+
+ ///
+ /// Bool showing if socket is connected
+ ///
+ public bool IsConnected
+ {
+ get
{
- set
+ if (Client != null)
+ return Client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED;
+ else
+ return false;
+ }
+ }
+
+ ///
+ /// S+ helper for IsConnected
+ ///
+ public ushort UIsConnected
+ {
+ get { return (ushort)(IsConnected ? 1 : 0); }
+ }
+
+ ///
+ /// Bool showing if socket is ready for communication after shared key exchange
+ ///
+ public bool IsReadyForCommunication { get; set; }
+
+ ///
+ /// S+ helper for IsReadyForCommunication
+ ///
+ public ushort UIsReadyForCommunication
+ {
+ get { return (ushort)(IsReadyForCommunication ? 1 : 0); }
+ }
+
+ ///
+ /// Client socket status Read only
+ ///
+ public SocketStatus ClientStatus
+ {
+ get
+ {
+ if (Client != null)
+ return Client.ClientStatus;
+ else
+ return SocketStatus.SOCKET_STATUS_NO_CONNECT;
+ }
+ }
+
+ ///
+ /// Contains the familiar Simpl analog status values. This drives the ConnectionChange event
+ /// and IsConnected would be true when this == 2.
+ ///
+ public ushort UStatus
+ {
+ get { return (ushort)ClientStatus; }
+ }
+
+ ///
+ /// Status text shows the message associated with socket status
+ ///
+ public string ClientStatusText { get { return ClientStatus.ToString(); } }
+
+ ///
+ /// bool to track if auto reconnect should be set on the socket
+ ///
+ public bool AutoReconnect { get; set; }
+
+ ///
+ /// S+ helper for AutoReconnect
+ ///
+ public ushort UAutoReconnect
+ {
+ get { return (ushort)(AutoReconnect ? 1 : 0); }
+ set { AutoReconnect = value == 1; }
+ }
+ ///
+ /// Milliseconds to wait before attempting to reconnect. Defaults to 5000
+ ///
+ public int AutoReconnectIntervalMs { get; set; }
+
+ ///
+ /// Flag Set only when the disconnect method is called.
+ ///
+ bool DisconnectCalledByUser;
+
+ ///
+ /// private Timer for auto reconnect
+ ///
+ CTimer RetryTimer;
+
+
+ ///
+ ///
+ ///
+ public bool HeartbeatEnabled { get; set; }
+ ///
+ ///
+ ///
+ public ushort UHeartbeatEnabled
+ {
+ get { return (ushort)(HeartbeatEnabled ? 1 : 0); }
+ set { HeartbeatEnabled = value == 1; }
+ }
+
+ ///
+ ///
+ ///
+ public string HeartbeatString { get; set; }
+ //public int HeartbeatInterval = 50000;
+
+ ///
+ /// Milliseconds before server expects another heartbeat. Set by property HeartbeatRequiredIntervalInSeconds which is driven from S+
+ ///
+ public int HeartbeatInterval { get; set; }
+
+ ///
+ /// Simpl+ Heartbeat Analog value in seconds
+ ///
+ public ushort HeartbeatRequiredIntervalInSeconds { set { HeartbeatInterval = (value * 1000); } }
+
+ CTimer HeartbeatSendTimer;
+ CTimer HeartbeatAckTimer;
+ ///
+ /// Used to force disconnection on a dead connect attempt
+ ///
+ CTimer ConnectFailTimer;
+ CTimer WaitForSharedKey;
+ private int ConnectionCount;
+ ///
+ /// Internal secure client
+ ///
+ SecureTCPClient Client;
+
+ bool ProgramIsStopping;
+
+ ///
+ /// Queue lock
+ ///
+ CCriticalSection DequeueLock = new CCriticalSection();
+
+ ///
+ /// Receive Queue size. Defaults to 20. Will set to 20 if QueueSize property is less than 20. Use constructor or set queue size property before
+ /// calling initialize.
+ ///
+ public int ReceiveQueueSize { get; set; }
+
+ ///
+ /// Queue to temporarily store received messages with the source IP and Port info. Defaults to size 20. Use constructor or set queue size property before
+ /// calling initialize.
+ ///
+ private CrestronQueue MessageQueue;
+
+
+ #endregion
+
+ #region Constructors
+
+ ///
+ /// Constructor
+ ///
+ ///
+ ///
+ ///
+ ///
+ public GenericSecureTcpIpClient_ForServer(string key, string address, int port, int bufferSize)
+ : base(key)
+ {
+ CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
+ Hostname = address;
+ Port = port;
+ BufferSize = bufferSize;
+ AutoReconnectIntervalMs = 5000;
+
+ }
+
+ ///
+ /// Constructor for S+
+ ///
+ public GenericSecureTcpIpClient_ForServer()
+ : base("Uninitialized Secure Tcp Client For Server")
+ {
+ CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
+ AutoReconnectIntervalMs = 5000;
+ BufferSize = 2000;
+ }
+
+ ///
+ /// Contstructor that sets all properties by calling the initialize method with a config object.
+ ///
+ ///
+ ///
+ public GenericSecureTcpIpClient_ForServer(string key, TcpClientConfigObject clientConfigObject)
+ : base(key)
+ {
+ CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
+ Initialize(clientConfigObject);
+ }
+
+ #endregion
+
+ #region Methods
+
+ ///
+ /// Initializes the client's key property, which is used to identify this client instance.
+ ///
+ /// The unique key that identifies this client instance.
+ public void Initialize(string key)
+ {
+ Key = key;
+ }
+
+ ///
+ /// Initialize called by the constructor that accepts a client config object. Can be called later to reset properties of client.
+ ///
+ /// The configuration object containing the client's settings.
+ public void Initialize(TcpClientConfigObject clientConfigObject)
+ {
+ try
+ {
+ if (clientConfigObject != null)
{
- if (value == 1)
- SharedKeyRequired = true;
- else
- SharedKeyRequired = false;
+ var TcpSshProperties = clientConfigObject.Control.TcpSshProperties;
+ Hostname = TcpSshProperties.Address;
+ AutoReconnect = TcpSshProperties.AutoReconnect;
+ AutoReconnectIntervalMs = TcpSshProperties.AutoReconnectIntervalMs > 1000 ?
+ TcpSshProperties.AutoReconnectIntervalMs : 5000;
+ SharedKey = clientConfigObject.SharedKey;
+ SharedKeyRequired = clientConfigObject.SharedKeyRequired;
+ HeartbeatEnabled = clientConfigObject.HeartbeatRequired;
+ HeartbeatRequiredIntervalInSeconds = clientConfigObject.HeartbeatRequiredIntervalInSeconds > 0 ?
+ clientConfigObject.HeartbeatRequiredIntervalInSeconds : (ushort)15;
+ HeartbeatString = string.IsNullOrEmpty(clientConfigObject.HeartbeatStringToMatch) ? "heartbeat" : clientConfigObject.HeartbeatStringToMatch;
+ Port = TcpSshProperties.Port;
+ BufferSize = TcpSshProperties.BufferSize > 2000 ? TcpSshProperties.BufferSize : 2000;
+ ReceiveQueueSize = clientConfigObject.ReceiveQueueSize > 20 ? clientConfigObject.ReceiveQueueSize : 20;
+ MessageQueue = new CrestronQueue(ReceiveQueueSize);
}
- }
-
- ///
- /// Gets or sets the SharedKey
- ///
- public string SharedKey { get; set; }
-
- ///
- /// flag to show the client is waiting for the server to send the shared key
- ///
- private bool WaitingForSharedKeyResponse { get; set; }
-
- ///
- /// Gets or sets the BufferSize
- ///
- public int BufferSize { get; set; }
-
- ///
- /// Semaphore on connect method
- ///
- bool IsTryingToConnect;
-
- ///
- /// Bool showing if socket is connected
- ///
- public bool IsConnected
- {
- get
- {
- if (Client != null)
- return Client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED;
- else
- return false;
- }
- }
-
- ///
- /// S+ helper for IsConnected
- ///
- public ushort UIsConnected
- {
- get { return (ushort)(IsConnected ? 1 : 0); }
- }
-
- ///
- /// Bool showing if socket is ready for communication after shared key exchange
- ///
- public bool IsReadyForCommunication { get; set; }
-
- ///
- /// S+ helper for IsReadyForCommunication
- ///
- public ushort UIsReadyForCommunication
- {
- get { return (ushort)(IsReadyForCommunication ? 1 : 0); }
- }
-
- ///
- /// Client socket status Read only
- ///
- public SocketStatus ClientStatus
- {
- get
- {
- if (Client != null)
- return Client.ClientStatus;
- else
- return SocketStatus.SOCKET_STATUS_NO_CONNECT;
- }
- }
-
- ///
- /// Contains the familiar Simpl analog status values. This drives the ConnectionChange event
- /// and IsConnected would be true when this == 2.
- ///
- public ushort UStatus
- {
- get { return (ushort)ClientStatus; }
- }
-
- ///
- /// Status text shows the message associated with socket status
- ///
- public string ClientStatusText { get { return ClientStatus.ToString(); } }
-
- ///
- /// bool to track if auto reconnect should be set on the socket
- ///
- public bool AutoReconnect { get; set; }
-
- ///
- /// S+ helper for AutoReconnect
- ///
- public ushort UAutoReconnect
- {
- get { return (ushort)(AutoReconnect ? 1 : 0); }
- set { AutoReconnect = value == 1; }
- }
- ///
- /// Milliseconds to wait before attempting to reconnect. Defaults to 5000
- ///
- public int AutoReconnectIntervalMs { get; set; }
-
- ///
- /// Flag Set only when the disconnect method is called.
- ///
- bool DisconnectCalledByUser;
-
- ///
- /// private Timer for auto reconnect
- ///
- CTimer RetryTimer;
-
-
- ///
- ///
- ///
- public bool HeartbeatEnabled { get; set; }
- ///
- ///
- ///
- public ushort UHeartbeatEnabled
- {
- get { return (ushort)(HeartbeatEnabled ? 1 : 0); }
- set { HeartbeatEnabled = value == 1; }
- }
-
- ///
- ///
- ///
- public string HeartbeatString { get; set; }
- //public int HeartbeatInterval = 50000;
-
- ///
- /// Milliseconds before server expects another heartbeat. Set by property HeartbeatRequiredIntervalInSeconds which is driven from S+
- ///
- public int HeartbeatInterval { get; set; }
-
- ///
- /// Simpl+ Heartbeat Analog value in seconds
- ///
- public ushort HeartbeatRequiredIntervalInSeconds { set { HeartbeatInterval = (value * 1000); } }
-
- CTimer HeartbeatSendTimer;
- CTimer HeartbeatAckTimer;
- ///
- /// Used to force disconnection on a dead connect attempt
- ///
- CTimer ConnectFailTimer;
- CTimer WaitForSharedKey;
- private int ConnectionCount;
- ///
- /// Internal secure client
- ///
- SecureTCPClient Client;
-
- bool ProgramIsStopping;
-
- ///
- /// Queue lock
- ///
- CCriticalSection DequeueLock = new CCriticalSection();
-
- ///
- /// Receive Queue size. Defaults to 20. Will set to 20 if QueueSize property is less than 20. Use constructor or set queue size property before
- /// calling initialize.
- ///
- public int ReceiveQueueSize { get; set; }
-
- ///
- /// Queue to temporarily store received messages with the source IP and Port info. Defaults to size 20. Use constructor or set queue size property before
- /// calling initialize.
- ///
- private CrestronQueue MessageQueue;
-
-
- #endregion
-
- #region Constructors
-
- ///
- /// Constructor
- ///
- ///
- ///
- ///
- ///
- public GenericSecureTcpIpClient_ForServer(string key, string address, int port, int bufferSize)
- : base(key)
- {
- CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
- Hostname = address;
- Port = port;
- BufferSize = bufferSize;
- AutoReconnectIntervalMs = 5000;
-
- }
-
- ///
- /// Constructor for S+
- ///
- public GenericSecureTcpIpClient_ForServer()
- : base("Uninitialized Secure Tcp Client For Server")
- {
- CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
- AutoReconnectIntervalMs = 5000;
- BufferSize = 2000;
- }
-
- ///
- /// Contstructor that sets all properties by calling the initialize method with a config object.
- ///
- ///
- ///
- public GenericSecureTcpIpClient_ForServer(string key, TcpClientConfigObject clientConfigObject)
- : base(key)
- {
- CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
- Initialize(clientConfigObject);
- }
-
- #endregion
-
- #region Methods
-
- ///
- /// Initialize method
- ///
- public void Initialize(string key)
- {
- Key = key;
- }
-
- ///
- /// Initialize called by the constructor that accepts a client config object. Can be called later to reset properties of client.
- ///
- ///
- public void Initialize(TcpClientConfigObject clientConfigObject)
- {
- try
- {
- if (clientConfigObject != null)
- {
- var TcpSshProperties = clientConfigObject.Control.TcpSshProperties;
- Hostname = TcpSshProperties.Address;
- AutoReconnect = TcpSshProperties.AutoReconnect;
- AutoReconnectIntervalMs = TcpSshProperties.AutoReconnectIntervalMs > 1000 ?
- TcpSshProperties.AutoReconnectIntervalMs : 5000;
- SharedKey = clientConfigObject.SharedKey;
- SharedKeyRequired = clientConfigObject.SharedKeyRequired;
- HeartbeatEnabled = clientConfigObject.HeartbeatRequired;
- HeartbeatRequiredIntervalInSeconds = clientConfigObject.HeartbeatRequiredIntervalInSeconds > 0 ?
- clientConfigObject.HeartbeatRequiredIntervalInSeconds : (ushort)15;
- HeartbeatString = string.IsNullOrEmpty(clientConfigObject.HeartbeatStringToMatch) ? "heartbeat" : clientConfigObject.HeartbeatStringToMatch;
- Port = TcpSshProperties.Port;
- BufferSize = TcpSshProperties.BufferSize > 2000 ? TcpSshProperties.BufferSize : 2000;
- ReceiveQueueSize = clientConfigObject.ReceiveQueueSize > 20 ? clientConfigObject.ReceiveQueueSize : 20;
- MessageQueue = new CrestronQueue(ReceiveQueueSize);
- }
- else
- {
- ErrorLog.Error("Could not initialize client with key: {0}", Key);
- }
- }
- catch
+ else
{
ErrorLog.Error("Could not initialize client with key: {0}", Key);
}
}
-
- ///
- /// Handles closing this up when the program shuts down
- ///
- void CrestronEnvironment_ProgramStatusEventHandler(eProgramStatusEventType programEventType)
+ catch
{
- if (programEventType == eProgramStatusEventType.Stopping || programEventType == eProgramStatusEventType.Paused)
- {
- Debug.Console(0, this, Debug.ErrorLogLevel.Notice, "Program stopping. Closing Client connection");
- ProgramIsStopping = true;
- Disconnect();
- }
+ ErrorLog.Error("Could not initialize client with key: {0}", Key);
+ }
+ }
+ ///
+ /// Handles closing this up when the program shuts down
+ ///
+ void CrestronEnvironment_ProgramStatusEventHandler(eProgramStatusEventType programEventType)
+ {
+ if (programEventType == eProgramStatusEventType.Stopping || programEventType == eProgramStatusEventType.Paused)
+ {
+ this.LogInformation("Program stopping. Closing Client connection");
+ ProgramIsStopping = true;
+ Disconnect();
}
- ///
- /// Connect method
- ///
- public void Connect()
+ }
+
+ ///
+ /// Connect Method. Will return if already connected. Will write errors if missing address, port, or unique key/name.
+ ///
+ public void Connect()
+ {
+ ConnectionCount++;
+ this.LogVerbose("Attempting connect Count:{0}", ConnectionCount);
+
+
+ if (IsConnected)
{
- ConnectionCount++;
- Debug.Console(2, this, "Attempting connect Count:{0}", ConnectionCount);
-
-
- if (IsConnected)
- {
- Debug.Console(0, this, Debug.ErrorLogLevel.Notice, "Already connected. Ignoring.");
- return;
- }
- if (IsTryingToConnect)
- {
- Debug.Console(0, this, Debug.ErrorLogLevel.Notice, "Already trying to connect. Ignoring.");
- return;
- }
- try
- {
- IsTryingToConnect = true;
- if (RetryTimer != null)
- {
- RetryTimer.Stop();
- RetryTimer = null;
- }
- if (string.IsNullOrEmpty(Hostname))
- {
- Debug.Console(0, this, Debug.ErrorLogLevel.Warning, "DynamicTcpClient: No address set");
- return;
- }
- if (Port < 1 || Port > 65535)
- {
- Debug.Console(0, this, Debug.ErrorLogLevel.Warning, "DynamicTcpClient: Invalid port");
- return;
- }
- if (string.IsNullOrEmpty(SharedKey) && SharedKeyRequired)
- {
- Debug.Console(0, this, Debug.ErrorLogLevel.Warning, "DynamicTcpClient: No Shared Key set");
- return;
- }
-
- // clean up previous client
- if (Client != null)
- {
- Cleanup();
- }
- DisconnectCalledByUser = false;
-
- Client = new SecureTCPClient(Hostname, Port, BufferSize);
- Client.SocketStatusChange += Client_SocketStatusChange;
- if (HeartbeatEnabled)
- Client.SocketSendOrReceiveTimeOutInMs = (HeartbeatInterval * 5);
- Client.AddressClientConnectedTo = Hostname;
- Client.PortNumber = Port;
- // SecureClient = c;
-
- //var timeOfConnect = DateTime.Now.ToString("HH:mm:ss.fff");
-
- ConnectFailTimer = new CTimer(o =>
- {
- Debug.Console(1, this, Debug.ErrorLogLevel.Error, "Connect attempt has not finished after 30sec Count:{0}", ConnectionCount);
- if (IsTryingToConnect)
- {
- IsTryingToConnect = false;
-
- //if (ConnectionHasHungCallback != null)
- //{
- // ConnectionHasHungCallback();
- //}
- //SecureClient.DisconnectFromServer();
- //CheckClosedAndTryReconnect();
- }
- }, 30000);
-
- Debug.Console(2, this, "Making Connection Count:{0}", ConnectionCount);
- Client.ConnectToServerAsync(o =>
- {
- Debug.Console(2, this, "ConnectToServerAsync Count:{0} Ran!", ConnectionCount);
-
- if (ConnectFailTimer != null)
- {
- ConnectFailTimer.Stop();
- }
- IsTryingToConnect = false;
-
- if (o.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
- {
- Debug.Console(2, this, "Client connected to {0} on port {1}", o.AddressClientConnectedTo, o.LocalPortNumberOfClient);
- o.ReceiveDataAsync(Receive);
-
- if (SharedKeyRequired)
- {
- WaitingForSharedKeyResponse = true;
- WaitForSharedKey = new CTimer(timer =>
- {
-
- Debug.Console(1, this, Debug.ErrorLogLevel.Warning, "Shared key exchange timer expired. IsReadyForCommunication={0}", IsReadyForCommunication);
- // Debug.Console(1, this, "Connect attempt failed {0}", c.ClientStatus);
- // This is the only case where we should call DisconectFromServer...Event handeler will trigger the cleanup
- o.DisconnectFromServer();
- //CheckClosedAndTryReconnect();
- //OnClientReadyForcommunications(false); // Should send false event
- }, 15000);
- }
- else
- {
- //CLient connected and shared key is not required so just raise the ready for communication event. if Shared key
- //required this is called by the shared key being negotiated
- if (IsReadyForCommunication == false)
- {
- OnClientReadyForcommunications(true); // Key not required
- }
- }
- }
- else
- {
- Debug.Console(1, this, "Connect attempt failed {0}", o.ClientStatus);
- CheckClosedAndTryReconnect();
- }
- });
- }
- catch (Exception ex)
- {
- Debug.Console(0, this, Debug.ErrorLogLevel.Error, "Client connection exception: {0}", ex.Message);
- IsTryingToConnect = false;
- CheckClosedAndTryReconnect();
- }
+ this.LogInformation("Already connected. Ignoring.");
+ return;
}
-
- ///
- /// Disconnect method
- ///
- public void Disconnect()
+ if (IsTryingToConnect)
{
- this.LogVerbose("Disconnect Called");
-
- DisconnectCalledByUser = true;
- if (IsConnected)
- {
- Client.DisconnectFromServer();
-
- }
+ this.LogInformation("Already trying to connect. Ignoring.");
+ return;
+ }
+ try
+ {
+ IsTryingToConnect = true;
if (RetryTimer != null)
{
RetryTimer.Stop();
RetryTimer = null;
}
- Cleanup();
- }
-
- ///
- /// Internal call to close up client. ALWAYS use this when disconnecting.
- ///
- void Cleanup()
- {
- IsTryingToConnect = false;
+ if (string.IsNullOrEmpty(Hostname))
+ {
+ this.LogWarning("DynamicTcpClient: No address set");
+ return;
+ }
+ if (Port < 1 || Port > 65535)
+ {
+ this.LogWarning("DynamicTcpClient: Invalid port");
+ return;
+ }
+ if (string.IsNullOrEmpty(SharedKey) && SharedKeyRequired)
+ {
+ this.LogWarning("DynamicTcpClient: No Shared Key set");
+ return;
+ }
+ // clean up previous client
if (Client != null)
{
- //SecureClient.DisconnectFromServer();
- Debug.Console(2, this, "Disconnecting Client {0}", DisconnectCalledByUser ? ", Called by user" : "");
- Client.SocketStatusChange -= Client_SocketStatusChange;
- Client.Dispose();
- Client = null;
- }
- if (ConnectFailTimer != null)
- {
- ConnectFailTimer.Stop();
- ConnectFailTimer.Dispose();
- ConnectFailTimer = null;
- }
- }
-
-
- /// ff
- /// Called from Connect failure or Socket Status change if
- /// auto reconnect and socket disconnected (Not disconnected by user)
- ///
- void CheckClosedAndTryReconnect()
- {
- if (Client != null)
- {
- Debug.Console(2, this, "Cleaning up remotely closed/failed connection.");
Cleanup();
}
- if (!DisconnectCalledByUser && AutoReconnect)
+ DisconnectCalledByUser = false;
+
+ Client = new SecureTCPClient(Hostname, Port, BufferSize);
+ Client.SocketStatusChange += Client_SocketStatusChange;
+ if (HeartbeatEnabled)
+ Client.SocketSendOrReceiveTimeOutInMs = (HeartbeatInterval * 5);
+ Client.AddressClientConnectedTo = Hostname;
+ Client.PortNumber = Port;
+ // SecureClient = c;
+
+ //var timeOfConnect = DateTime.Now.ToString("HH:mm:ss.fff");
+
+ ConnectFailTimer = new CTimer(o =>
{
- var halfInterval = AutoReconnectIntervalMs / 2;
- var rndTime = new Random().Next(-halfInterval, halfInterval) + AutoReconnectIntervalMs;
- Debug.Console(2, this, "Attempting reconnect in {0} ms, randomized", rndTime);
- if (RetryTimer != null)
+ this.LogError("Connect attempt has not finished after 30sec Count:{0}", ConnectionCount);
+ if (IsTryingToConnect)
{
- RetryTimer.Stop();
- RetryTimer = null;
+ IsTryingToConnect = false;
+
+ //if (ConnectionHasHungCallback != null)
+ //{
+ // ConnectionHasHungCallback();
+ //}
+ //SecureClient.DisconnectFromServer();
+ //CheckClosedAndTryReconnect();
}
- if(AutoReconnectTriggered != null)
- AutoReconnectTriggered(this, new EventArgs());
- RetryTimer = new CTimer(o => Connect(), rndTime);
- }
- }
+ }, 30000);
- ///
- /// Receive callback
- ///
- ///
- ///
- void Receive(SecureTCPClient client, int numBytes)
- {
- if (numBytes > 0)
+ this.LogVerbose("Making Connection Count:{0}", ConnectionCount);
+ Client.ConnectToServerAsync(o =>
{
- string str = string.Empty;
- var handler = TextReceivedQueueInvoke;
- try
+ this.LogVerbose("ConnectToServerAsync Count:{0} Ran!", ConnectionCount);
+
+ if (ConnectFailTimer != null)
{
- var bytes = client.IncomingDataBuffer.Take(numBytes).ToArray();
- str = Encoding.GetEncoding(28591).GetString(bytes, 0, bytes.Length);
- Debug.Console(2, this, "Client Received:\r--------\r{0}\r--------", str);
- if (!string.IsNullOrEmpty(checkHeartbeat(str)))
+ ConnectFailTimer.Stop();
+ }
+ IsTryingToConnect = false;
+
+ if (o.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
+ {
+ this.LogVerbose("Client connected to {0} on port {1}", o.AddressClientConnectedTo, o.LocalPortNumberOfClient);
+ o.ReceiveDataAsync(Receive);
+
+ if (SharedKeyRequired)
{
-
- if (SharedKeyRequired && str == "SharedKey:")
+ WaitingForSharedKeyResponse = true;
+ WaitForSharedKey = new CTimer(timer =>
{
- Debug.Console(2, this, "Server asking for shared key, sending");
- SendText(SharedKey + "\n");
- }
- else if (SharedKeyRequired && str == "Shared Key Match")
- {
- StopWaitForSharedKeyTimer();
-
- Debug.Console(2, this, "Shared key confirmed. Ready for communication");
- OnClientReadyForcommunications(true); // Successful key exchange
- }
- else
+ this.LogWarning("Shared key exchange timer expired. IsReadyForCommunication={0}", IsReadyForCommunication);
+ // Debug.Console(1, this, "Connect attempt failed {0}", c.ClientStatus);
+ // This is the only case where we should call DisconectFromServer...Event handeler will trigger the cleanup
+ o.DisconnectFromServer();
+ //CheckClosedAndTryReconnect();
+ //OnClientReadyForcommunications(false); // Should send false event
+ }, 15000);
+ }
+ else
+ {
+ //CLient connected and shared key is not required so just raise the ready for communication event. if Shared key
+ //required this is called by the shared key being negotiated
+ if (IsReadyForCommunication == false)
{
- //var bytesHandler = BytesReceived;
- //if (bytesHandler != null)
- // bytesHandler(this, new GenericCommMethodReceiveBytesArgs(bytes));
- var textHandler = TextReceived;
- if (textHandler != null)
- textHandler(this, new GenericTcpServerCommMethodReceiveTextArgs(str));
- if (handler != null)
- {
- MessageQueue.TryToEnqueue(new GenericTcpServerCommMethodReceiveTextArgs(str));
- }
+ OnClientReadyForcommunications(true); // Key not required
}
}
}
- catch (Exception ex)
+ else
{
- Debug.Console(1, this, "Error receiving data: {1}. Error: {0}", ex.Message, str);
+ this.LogWarning("Connect attempt failed {0}", o.ClientStatus);
+ CheckClosedAndTryReconnect();
}
- if (client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
- client.ReceiveDataAsync(Receive);
-
- //Check to see if there is a subscription to the TextReceivedQueueInvoke event. If there is start the dequeue thread.
- if (handler != null)
- {
- var gotLock = DequeueLock.TryEnter();
- if (gotLock)
- CrestronInvoke.BeginInvoke((o) => DequeueEvent());
- }
- }
- else //JAG added this as I believe the error return is 0 bytes like the server. See help when hover on ReceiveAsync
- {
- client.DisconnectFromServer();
- }
+ });
}
-
- ///
- /// This method gets spooled up in its own thread an protected by a CCriticalSection to prevent multiple threads from running concurrently.
- /// It will dequeue items as they are enqueued automatically.
- ///
- void DequeueEvent()
+ catch (Exception ex)
{
+ this.LogError("Client connection exception: {0}", ex.Message);
+ IsTryingToConnect = false;
+ CheckClosedAndTryReconnect();
+ }
+ }
+
+ ///
+ ///
+ ///
+ public void Disconnect()
+ {
+ this.LogVerbose("Disconnect Called");
+
+ DisconnectCalledByUser = true;
+ if (IsConnected)
+ {
+ Client.DisconnectFromServer();
+
+ }
+ if (RetryTimer != null)
+ {
+ RetryTimer.Stop();
+ RetryTimer = null;
+ }
+ Cleanup();
+ }
+
+ ///
+ /// Internal call to close up client. ALWAYS use this when disconnecting.
+ ///
+ void Cleanup()
+ {
+ IsTryingToConnect = false;
+
+ if (Client != null)
+ {
+ //SecureClient.DisconnectFromServer();
+ this.LogVerbose("Disconnecting Client {0}", DisconnectCalledByUser ? ", Called by user" : "");
+ Client.SocketStatusChange -= Client_SocketStatusChange;
+ Client.Dispose();
+ Client = null;
+ }
+ if (ConnectFailTimer != null)
+ {
+ ConnectFailTimer.Stop();
+ ConnectFailTimer.Dispose();
+ ConnectFailTimer = null;
+ }
+ }
+
+
+ /// ff
+ /// Called from Connect failure or Socket Status change if
+ /// auto reconnect and socket disconnected (Not disconnected by user)
+ ///
+ void CheckClosedAndTryReconnect()
+ {
+ if (Client != null)
+ {
+ this.LogVerbose("Cleaning up remotely closed/failed connection.");
+ Cleanup();
+ }
+ if (!DisconnectCalledByUser && AutoReconnect)
+ {
+ var halfInterval = AutoReconnectIntervalMs / 2;
+ var rndTime = new Random().Next(-halfInterval, halfInterval) + AutoReconnectIntervalMs;
+ this.LogVerbose("Attempting reconnect in {0} ms, randomized", rndTime);
+ if (RetryTimer != null)
+ {
+ RetryTimer.Stop();
+ RetryTimer = null;
+ }
+ if (AutoReconnectTriggered != null)
+ AutoReconnectTriggered(this, new EventArgs());
+ RetryTimer = new CTimer(o => Connect(), rndTime);
+ }
+ }
+
+ ///
+ /// Receive callback
+ ///
+ ///
+ ///
+ void Receive(SecureTCPClient client, int numBytes)
+ {
+ if (numBytes > 0)
+ {
+ string str = string.Empty;
+ var handler = TextReceivedQueueInvoke;
try
{
- while (true)
+ var bytes = client.IncomingDataBuffer.Take(numBytes).ToArray();
+ str = Encoding.GetEncoding(28591).GetString(bytes, 0, bytes.Length);
+ this.LogVerbose("Client Received:\r--------\r{0}\r--------", str);
+ if (!string.IsNullOrEmpty(checkHeartbeat(str)))
{
- // Pull from Queue and fire an event. Block indefinitely until an item can be removed, similar to a Gather.
- var message = MessageQueue.Dequeue();
- var handler = TextReceivedQueueInvoke;
- if (handler != null)
+
+ if (SharedKeyRequired && str == "SharedKey:")
{
- handler(this, message);
+ this.LogVerbose("Server asking for shared key, sending");
+ SendText(SharedKey + "\n");
+ }
+ else if (SharedKeyRequired && str == "Shared Key Match")
+ {
+ StopWaitForSharedKeyTimer();
+
+
+ this.LogVerbose("Shared key confirmed. Ready for communication");
+ OnClientReadyForcommunications(true); // Successful key exchange
+ }
+ else
+ {
+ //var bytesHandler = BytesReceived;
+ //if (bytesHandler != null)
+ // bytesHandler(this, new GenericCommMethodReceiveBytesArgs(bytes));
+ var textHandler = TextReceived;
+ if (textHandler != null)
+ textHandler(this, new GenericTcpServerCommMethodReceiveTextArgs(str));
+ if (handler != null)
+ {
+ MessageQueue.TryToEnqueue(new GenericTcpServerCommMethodReceiveTextArgs(str));
+ }
}
}
}
- catch (Exception e)
+ catch (Exception ex)
{
- this.LogException(e, "DequeueEvent error");
+ this.LogError("Error receiving data: {1}. Error: {0}", ex.Message, str);
}
- // Make sure to leave the CCritical section in case an exception above stops this thread, or we won't be able to restart it.
- if (DequeueLock != null)
+ if (client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
+ client.ReceiveDataAsync(Receive);
+
+ //Check to see if there is a subscription to the TextReceivedQueueInvoke event. If there is start the dequeue thread.
+ if (handler != null)
{
- DequeueLock.Leave();
+ var gotLock = DequeueLock.TryEnter();
+ if (gotLock)
+ CrestronInvoke.BeginInvoke((o) => DequeueEvent());
+ }
+ }
+ else //JAG added this as I believe the error return is 0 bytes like the server. See help when hover on ReceiveAsync
+ {
+ client.DisconnectFromServer();
+ }
+ }
+
+ ///
+ /// This method gets spooled up in its own thread an protected by a CCriticalSection to prevent multiple threads from running concurrently.
+ /// It will dequeue items as they are enqueued automatically.
+ ///
+ void DequeueEvent()
+ {
+ try
+ {
+ while (true)
+ {
+ // Pull from Queue and fire an event. Block indefinitely until an item can be removed, similar to a Gather.
+ var message = MessageQueue.Dequeue();
+ var handler = TextReceivedQueueInvoke;
+ if (handler != null)
+ {
+ handler(this, message);
+ }
+ }
+ }
+ catch (Exception e)
+ {
+ this.LogError("DequeueEvent error: {0}", e.Message, e);
+ }
+ // Make sure to leave the CCritical section in case an exception above stops this thread, or we won't be able to restart it.
+ if (DequeueLock != null)
+ {
+ DequeueLock.Leave();
+ }
+ }
+
+ void HeartbeatStart()
+ {
+ if (HeartbeatEnabled)
+ {
+ this.LogVerbose("Starting Heartbeat");
+ if (HeartbeatSendTimer == null)
+ {
+
+ HeartbeatSendTimer = new CTimer(this.SendHeartbeat, null, HeartbeatInterval, HeartbeatInterval);
+ }
+ if (HeartbeatAckTimer == null)
+ {
+ HeartbeatAckTimer = new CTimer(HeartbeatAckTimerFail, null, (HeartbeatInterval * 2), (HeartbeatInterval * 2));
}
}
- void HeartbeatStart()
+ }
+ void HeartbeatStop()
+ {
+
+ if (HeartbeatSendTimer != null)
+ {
+ this.LogVerbose("Stopping Heartbeat Send");
+ HeartbeatSendTimer.Stop();
+ HeartbeatSendTimer = null;
+ }
+ if (HeartbeatAckTimer != null)
+ {
+ this.LogVerbose("Stopping Heartbeat Ack");
+ HeartbeatAckTimer.Stop();
+ HeartbeatAckTimer = null;
+ }
+
+ }
+ void SendHeartbeat(object notused)
+ {
+ this.SendText(HeartbeatString);
+ this.LogVerbose("Sending Heartbeat");
+
+ }
+
+ //private method to check heartbeat requirements and start or reset timer
+ string checkHeartbeat(string received)
+ {
+ try
{
if (HeartbeatEnabled)
{
- Debug.Console(2, this, "Starting Heartbeat");
- if (HeartbeatSendTimer == null)
+ if (!string.IsNullOrEmpty(HeartbeatString))
{
-
- HeartbeatSendTimer = new CTimer(this.SendHeartbeat, null, HeartbeatInterval, HeartbeatInterval);
- }
- if (HeartbeatAckTimer == null)
- {
- HeartbeatAckTimer = new CTimer(HeartbeatAckTimerFail, null, (HeartbeatInterval * 2), (HeartbeatInterval * 2));
- }
- }
-
- }
- void HeartbeatStop()
- {
-
- if (HeartbeatSendTimer != null)
- {
- Debug.Console(2, this, "Stoping Heartbeat Send");
- HeartbeatSendTimer.Stop();
- HeartbeatSendTimer = null;
- }
- if (HeartbeatAckTimer != null)
- {
- Debug.Console(2, this, "Stoping Heartbeat Ack");
- HeartbeatAckTimer.Stop();
- HeartbeatAckTimer = null;
- }
-
- }
- void SendHeartbeat(object notused)
- {
- this.SendText(HeartbeatString);
- Debug.Console(2, this, "Sending Heartbeat");
-
- }
-
- //private method to check heartbeat requirements and start or reset timer
- string checkHeartbeat(string received)
- {
- try
- {
- if (HeartbeatEnabled)
- {
- if (!string.IsNullOrEmpty(HeartbeatString))
+ var remainingText = received.Replace(HeartbeatString, "");
+ var noDelimiter = received.Trim(new char[] { '\r', '\n' });
+ if (noDelimiter.Contains(HeartbeatString))
{
- var remainingText = received.Replace(HeartbeatString, "");
- var noDelimiter = received.Trim(new char[] { '\r', '\n' });
- if (noDelimiter.Contains(HeartbeatString))
+ if (HeartbeatAckTimer != null)
{
- if (HeartbeatAckTimer != null)
- {
- HeartbeatAckTimer.Reset(HeartbeatInterval * 2);
- }
- else
- {
- HeartbeatAckTimer = new CTimer(HeartbeatAckTimerFail, null, (HeartbeatInterval * 2), (HeartbeatInterval * 2));
- }
- Debug.Console(2, this, "Heartbeat Received: {0}, from Server", HeartbeatString);
- return remainingText;
+ HeartbeatAckTimer.Reset(HeartbeatInterval * 2);
}
- }
- }
- }
- catch (Exception ex)
- {
- Debug.Console(1, this, "Error checking heartbeat: {0}", ex.Message);
- }
- return received;
- }
-
-
-
- void HeartbeatAckTimerFail(object o)
- {
- try
- {
-
- if (IsConnected)
- {
- Debug.Console(1, Debug.ErrorLogLevel.Warning, "Heartbeat not received from Server...DISCONNECTING BECAUSE HEARTBEAT REQUIRED IS TRUE");
- SendText("Heartbeat not received by server, closing connection");
- CheckClosedAndTryReconnect();
- }
-
- }
- catch (Exception ex)
- {
- ErrorLog.Error("Heartbeat timeout Error on Client: {0}, {1}", Key, ex);
- }
- }
-
- ///
- ///
- ///
- void StopWaitForSharedKeyTimer()
- {
- if (WaitForSharedKey != null)
- {
- WaitForSharedKey.Stop();
- WaitForSharedKey = null;
- }
- }
-
- ///
- /// SendText method
- ///
- public void SendText(string text)
- {
- if (!string.IsNullOrEmpty(text))
- {
- try
- {
- var bytes = Encoding.GetEncoding(28591).GetBytes(text);
- if (Client != null && Client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
- {
- Client.SendDataAsync(bytes, bytes.Length, (c, n) =>
+ else
{
- // HOW IN THE HELL DO WE CATCH AN EXCEPTION IN SENDING?????
- if (n <= 0)
- {
- Debug.Console(1, Debug.ErrorLogLevel.Warning, "[{0}] Sent zero bytes. Was there an error?", this.Key);
- }
- });
+ HeartbeatAckTimer = new CTimer(HeartbeatAckTimerFail, null, (HeartbeatInterval * 2), (HeartbeatInterval * 2));
+ }
+ this.LogVerbose("Heartbeat Received: {0}, from Server", HeartbeatString);
+ return remainingText;
}
}
- catch (Exception ex)
- {
- Debug.Console(0, this, "Error sending text: {1}. Error: {0}", ex.Message, text);
- }
}
}
-
- ///
- /// SendBytes method
- ///
- public void SendBytes(byte[] bytes)
+ catch (Exception ex)
{
- if (bytes.Length > 0)
- {
- try
- {
- if (Client != null && Client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
- Client.SendData(bytes, bytes.Length);
- }
- catch (Exception ex)
- {
- Debug.Console(0, this, "Error sending bytes. Error: {0}", ex.Message);
- }
- }
+ this.LogError("Error checking heartbeat: {0}", ex.Message, ex);
}
-
- ///
- /// SocketStatusChange Callback
- ///
- ///
- ///
- void Client_SocketStatusChange(SecureTCPClient client, SocketStatus clientSocketStatus)
- {
- if (ProgramIsStopping)
- {
- ProgramIsStopping = false;
- return;
- }
- try
- {
- Debug.Console(2, this, "Socket status change: {0} ({1})", client.ClientStatus, (ushort)(client.ClientStatus));
-
- OnConnectionChange();
- // The client could be null or disposed by this time...
- if (Client == null || Client.ClientStatus != SocketStatus.SOCKET_STATUS_CONNECTED)
- {
- HeartbeatStop();
- OnClientReadyForcommunications(false); // socket has gone low
- CheckClosedAndTryReconnect();
- }
- }
- catch (Exception ex)
- {
- Debug.Console(1, this, Debug.ErrorLogLevel.Error, "Error in socket status change callback. Error: {0}\r\r{1}", ex, ex.InnerException);
- }
- }
-
- ///
- /// Helper for ConnectionChange event
- ///
- void OnConnectionChange()
- {
- var handler = ConnectionChange;
- if (handler != null)
- ConnectionChange(this, new GenericTcpServerSocketStatusChangeEventArgs(this, Client.ClientStatus));
- }
-
- ///
- /// Helper to fire ClientReadyForCommunications event
- ///
- void OnClientReadyForcommunications(bool isReady)
- {
- IsReadyForCommunication = isReady;
- if (this.IsReadyForCommunication) { HeartbeatStart(); }
- var handler = ClientReadyForCommunications;
- if (handler != null)
- handler(this, new GenericTcpServerClientReadyForcommunicationsEventArgs(IsReadyForCommunication));
- }
- #endregion
+ return received;
}
+
+
+ void HeartbeatAckTimerFail(object o)
+ {
+ try
+ {
+
+ if (IsConnected)
+ {
+ this.LogWarning("Heartbeat not received from Server...DISCONNECTING BECAUSE HEARTBEAT REQUIRED IS TRUE");
+ SendText("Heartbeat not received by server, closing connection");
+ CheckClosedAndTryReconnect();
+ }
+
+ }
+ catch (Exception ex)
+ {
+ this.LogError("Heartbeat timeout Error on Client: {0}, {1}", Key, ex);
+ }
+ }
+
+ ///
+ ///
+ ///
+ void StopWaitForSharedKeyTimer()
+ {
+ if (WaitForSharedKey != null)
+ {
+ WaitForSharedKey.Stop();
+ WaitForSharedKey = null;
+ }
+ }
+
+ ///
+ /// General send method
+ ///
+ public void SendText(string text)
+ {
+ if (!string.IsNullOrEmpty(text))
+ {
+ try
+ {
+ var bytes = Encoding.GetEncoding(28591).GetBytes(text);
+ if (Client != null && Client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
+ {
+ Client.SendDataAsync(bytes, bytes.Length, (c, n) =>
+ {
+ // HOW IN THE HELL DO WE CATCH AN EXCEPTION IN SENDING?????
+ if (n <= 0)
+ {
+ this.LogWarning("[{0}] Sent zero bytes. Was there an error?", this.Key);
+ }
+ });
+ }
+ }
+ catch (Exception ex)
+ {
+ this.LogError("Error sending text: {1}. Error: {0}", text, ex.Message);
+ }
+ }
+ }
+
+ ///
+ ///
+ ///
+ public void SendBytes(byte[] bytes)
+ {
+ if (bytes.Length > 0)
+ {
+ try
+ {
+ if (Client != null && Client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
+ Client.SendData(bytes, bytes.Length);
+ }
+ catch (Exception ex)
+ {
+ this.LogError("Error sending bytes. Error: {0}", ex.Message, ex);
+ }
+ }
+ }
+
+ ///
+ /// SocketStatusChange Callback
+ ///
+ ///
+ ///
+ void Client_SocketStatusChange(SecureTCPClient client, SocketStatus clientSocketStatus)
+ {
+ if (ProgramIsStopping)
+ {
+ ProgramIsStopping = false;
+ return;
+ }
+ try
+ {
+ this.LogDebug("Socket status change: {0} ({1})", client.ClientStatus, (ushort)(client.ClientStatus));
+
+ OnConnectionChange();
+ // The client could be null or disposed by this time...
+ if (Client == null || Client.ClientStatus != SocketStatus.SOCKET_STATUS_CONNECTED)
+ {
+ HeartbeatStop();
+ OnClientReadyForcommunications(false); // socket has gone low
+ CheckClosedAndTryReconnect();
+ }
+ }
+ catch (Exception ex)
+ {
+ this.LogError("Error in socket status change callback. Error: {0}\r\r{1}", ex, ex.InnerException);
+ }
+ }
+
+ ///
+ /// Helper for ConnectionChange event
+ ///
+ void OnConnectionChange()
+ {
+ var handler = ConnectionChange;
+ if (handler != null)
+ ConnectionChange(this, new GenericTcpServerSocketStatusChangeEventArgs(this, Client.ClientStatus));
+ }
+
+ ///
+ /// Helper to fire ClientReadyForCommunications event
+ ///
+ void OnClientReadyForcommunications(bool isReady)
+ {
+ IsReadyForCommunication = isReady;
+ if (this.IsReadyForCommunication) { HeartbeatStart(); }
+ var handler = ClientReadyForCommunications;
+ if (handler != null)
+ handler(this, new GenericTcpServerClientReadyForcommunicationsEventArgs(IsReadyForCommunication));
+ }
+ #endregion
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/Comm/GenericSecureTcpIpServer.cs b/src/PepperDash.Core/Comm/GenericSecureTcpIpServer.cs
index 6502d544..7fed3948 100644
--- a/src/PepperDash.Core/Comm/GenericSecureTcpIpServer.cs
+++ b/src/PepperDash.Core/Comm/GenericSecureTcpIpServer.cs
@@ -17,405 +17,403 @@ using Crestron.SimplSharp;
using Crestron.SimplSharp.CrestronSockets;
using PepperDash.Core.Logging;
-namespace PepperDash.Core
+namespace PepperDash.Core;
+
+///
+/// Generic secure TCP/IP server
+///
+public class GenericSecureTcpIpServer : Device
{
+ #region Events
///
- /// Generic secure TCP/IP server
+ /// Event for Receiving text
///
- public class GenericSecureTcpIpServer : Device
+ public event EventHandler TextReceived;
+
+ ///
+ /// Event for Receiving text. Once subscribed to this event the receive callback will start a thread that dequeues the messages and invokes the event on a new thread.
+ /// It is not recommended to use both the TextReceived event and the TextReceivedQueueInvoke event.
+ ///
+ public event EventHandler TextReceivedQueueInvoke;
+
+ ///
+ /// Event for client connection socket status change
+ ///
+ public event EventHandler ClientConnectionChange;
+
+ ///
+ /// Event for Server State Change
+ ///
+ public event EventHandler ServerStateChange;
+
+ ///
+ /// For a server with a pre shared key, this will fire after the communication is established and the key exchange is complete. If no shared key, this will fire
+ /// after connection is successful. Use this event to know when the client is ready for communication to avoid stepping on shared key.
+ ///
+ public event EventHandler ServerClientReadyForCommunications;
+
+ ///
+ /// A band aid event to notify user that the server has choked.
+ ///
+ public ServerHasChokedCallbackDelegate ServerHasChoked { get; set; }
+
+ ///
+ ///
+ ///
+ public delegate void ServerHasChokedCallbackDelegate();
+
+ #endregion
+
+ #region Properties/Variables
+
+ ///
+ /// Server listen lock
+ ///
+ CCriticalSection ServerCCSection = new CCriticalSection();
+
+ ///
+ /// Queue lock
+ ///
+ CCriticalSection DequeueLock = new CCriticalSection();
+
+ ///
+ /// Receive Queue size. Defaults to 20. Will set to 20 if QueueSize property is less than 20. Use constructor or set queue size property before
+ /// calling initialize.
+ ///
+ public int ReceiveQueueSize { get; set; }
+
+ ///
+ /// Queue to temporarily store received messages with the source IP and Port info. Defaults to size 20. Use constructor or set queue size property before
+ /// calling initialize.
+ ///
+ private CrestronQueue MessageQueue;
+
+ ///
+ /// A bandaid client that monitors whether the server is reachable
+ ///
+ GenericSecureTcpIpClient_ForServer MonitorClient;
+
+ ///
+ /// Timer to operate the bandaid monitor client in a loop.
+ ///
+ CTimer MonitorClientTimer;
+
+ ///
+ ///
+ ///
+ int MonitorClientFailureCount;
+
+ ///
+ /// 3 by default
+ ///
+ public int MonitorClientMaxFailureCount { get; set; }
+
+ ///
+ /// Text representation of the Socket Status enum values for the server
+ ///
+ public string Status
{
- #region Events
- ///
- /// Event for Receiving text
- ///
- public event EventHandler TextReceived;
-
- ///
- /// Event for Receiving text. Once subscribed to this event the receive callback will start a thread that dequeues the messages and invokes the event on a new thread.
- /// It is not recommended to use both the TextReceived event and the TextReceivedQueueInvoke event.
- ///
- public event EventHandler TextReceivedQueueInvoke;
-
- ///
- /// Event for client connection socket status change
- ///
- public event EventHandler ClientConnectionChange;
-
- ///
- /// Event for Server State Change
- ///
- public event EventHandler ServerStateChange;
-
- ///
- /// For a server with a pre shared key, this will fire after the communication is established and the key exchange is complete. If no shared key, this will fire
- /// after connection is successful. Use this event to know when the client is ready for communication to avoid stepping on shared key.
- ///
- public event EventHandler ServerClientReadyForCommunications;
-
- ///
- /// A band aid event to notify user that the server has choked.
- ///
- public ServerHasChokedCallbackDelegate ServerHasChoked { get; set; }
-
- ///
- /// Delegate for ServerHasChokedCallbackDelegate
- ///
- public delegate void ServerHasChokedCallbackDelegate();
-
- #endregion
-
- #region Properties/Variables
-
- ///
- /// Server listen lock
- ///
- CCriticalSection ServerCCSection = new CCriticalSection();
-
- ///
- /// Queue lock
- ///
- CCriticalSection DequeueLock = new CCriticalSection();
-
- ///
- /// Receive Queue size. Defaults to 20. Will set to 20 if QueueSize property is less than 20. Use constructor or set queue size property before
- /// calling initialize.
- ///
- public int ReceiveQueueSize { get; set; }
-
- ///
- /// Queue to temporarily store received messages with the source IP and Port info. Defaults to size 20. Use constructor or set queue size property before
- /// calling initialize.
- ///
- private CrestronQueue MessageQueue;
-
- ///
- /// A bandaid client that monitors whether the server is reachable
- ///
- GenericSecureTcpIpClient_ForServer MonitorClient;
-
- ///
- /// Timer to operate the bandaid monitor client in a loop.
- ///
- CTimer MonitorClientTimer;
-
- ///
- ///
- ///
- int MonitorClientFailureCount;
-
- ///
- /// Gets or sets the MonitorClientMaxFailureCount
- ///
- public int MonitorClientMaxFailureCount { get; set; }
-
- ///
- /// Text representation of the Socket Status enum values for the server
- ///
- public string Status
+ get
{
- get
- {
- if (SecureServer != null)
- return SecureServer.State.ToString();
- return ServerState.SERVER_NOT_LISTENING.ToString();
-
- }
+ if (SecureServer != null)
+ return SecureServer.State.ToString();
+ return ServerState.SERVER_NOT_LISTENING.ToString();
}
- ///
- /// Bool showing if socket is connected
- ///
- public bool IsConnected
+ }
+
+ ///
+ /// Bool showing if socket is connected
+ ///
+ public bool IsConnected
+ {
+ get
{
- get
- {
- if (SecureServer != null)
- return (SecureServer.State & ServerState.SERVER_CONNECTED) == ServerState.SERVER_CONNECTED;
+ if (SecureServer != null)
+ return (SecureServer.State & ServerState.SERVER_CONNECTED) == ServerState.SERVER_CONNECTED;
+ return false;
+
+ //return (Secure ? SecureServer != null : UnsecureServer != null) &&
+ //(Secure ? (SecureServer.State & ServerState.SERVER_CONNECTED) == ServerState.SERVER_CONNECTED :
+ // (UnsecureServer.State & ServerState.SERVER_CONNECTED) == ServerState.SERVER_CONNECTED);
+ }
+ }
+
+ ///
+ /// S+ helper for IsConnected
+ ///
+ public ushort UIsConnected
+ {
+ get { return (ushort)(IsConnected ? 1 : 0); }
+ }
+
+ ///
+ /// Bool showing if socket is connected
+ ///
+ public bool IsListening
+ {
+ get
+ {
+ if (SecureServer != null)
+ return (SecureServer.State & ServerState.SERVER_LISTENING) == ServerState.SERVER_LISTENING;
+ else
return false;
-
- //return (Secure ? SecureServer != null : UnsecureServer != null) &&
- //(Secure ? (SecureServer.State & ServerState.SERVER_CONNECTED) == ServerState.SERVER_CONNECTED :
- // (UnsecureServer.State & ServerState.SERVER_CONNECTED) == ServerState.SERVER_CONNECTED);
- }
+ //return (Secure ? SecureServer != null : UnsecureServer != null) &&
+ //(Secure ? (SecureServer.State & ServerState.SERVER_LISTENING) == ServerState.SERVER_LISTENING :
+ // (UnsecureServer.State & ServerState.SERVER_LISTENING) == ServerState.SERVER_LISTENING);
}
+ }
- ///
- /// S+ helper for IsConnected
- ///
- public ushort UIsConnected
+ ///
+ /// S+ helper for IsConnected
+ ///
+ public ushort UIsListening
+ {
+ get { return (ushort)(IsListening ? 1 : 0); }
+ }
+ ///
+ /// Max number of clients this server will allow for connection. Crestron max is 64. This number should be less than 65
+ ///
+ public ushort MaxClients { get; set; } // should be set by parameter in SIMPL+ in the MAIN method, Should not ever need to be configurable
+ ///
+ /// Number of clients currently connected.
+ ///
+ public ushort NumberOfClientsConnected
+ {
+ get
{
- get { return (ushort)(IsConnected ? 1 : 0); }
+ if (SecureServer != null)
+ return (ushort)SecureServer.NumberOfClientsConnected;
+ return 0;
}
+ }
- ///
- /// Bool showing if socket is connected
- ///
- public bool IsListening
+ ///
+ /// Port Server should listen on
+ ///
+ public int Port { get; set; }
+
+ ///
+ /// S+ helper for Port
+ ///
+ public ushort UPort
+ {
+ get { return Convert.ToUInt16(Port); }
+ set { Port = Convert.ToInt32(value); }
+ }
+
+ ///
+ /// Bool to show whether the server requires a preshared key. Must be set the same in the client, and if true shared keys must be identical on server/client
+ ///
+ public bool SharedKeyRequired { get; set; }
+
+ ///
+ /// S+ helper for requires shared key bool
+ ///
+ public ushort USharedKeyRequired
+ {
+ set
{
- get
+ if (value == 1)
+ SharedKeyRequired = true;
+ else
+ SharedKeyRequired = false;
+ }
+ }
+
+ ///
+ /// SharedKey is sent for varification to the server. Shared key can be any text (255 char limit in SIMPL+ Module), but must match the Shared Key on the Server module.
+ /// If SharedKey changes while server is listening or clients are connected, disconnect and stop listening will be called
+ ///
+ public string SharedKey { get; set; }
+
+ ///
+ /// Heartbeat Required bool sets whether server disconnects client if heartbeat is not received
+ ///
+ public bool HeartbeatRequired { get; set; }
+
+ ///
+ /// S+ Helper for Heartbeat Required
+ ///
+ public ushort UHeartbeatRequired
+ {
+ set
+ {
+ if (value == 1)
+ HeartbeatRequired = true;
+ else
+ HeartbeatRequired = false;
+ }
+ }
+
+ ///
+ /// Milliseconds before server expects another heartbeat. Set by property HeartbeatRequiredIntervalInSeconds which is driven from S+
+ ///
+ public int HeartbeatRequiredIntervalMs { get; set; }
+
+ ///
+ /// Simpl+ Heartbeat Analog value in seconds
+ ///
+ public ushort HeartbeatRequiredIntervalInSeconds { set { HeartbeatRequiredIntervalMs = (value * 1000); } }
+
+ ///
+ /// String to Match for heartbeat. If null or empty any string will reset heartbeat timer
+ ///
+ public string HeartbeatStringToMatch { get; set; }
+
+ //private timers for Heartbeats per client
+ Dictionary HeartbeatTimerDictionary = new Dictionary();
+
+ //flags to show the secure server is waiting for client at index to send the shared key
+ List WaitingForSharedKey = new List();
+
+ List ClientReadyAfterKeyExchange = new List();
+
+ ///
+ /// The connected client indexes
+ ///
+ public List ConnectedClientsIndexes = new List();
+
+ ///
+ /// Defaults to 2000
+ ///
+ public int BufferSize { get; set; }
+
+ ///
+ /// Private flag to note that the server has stopped intentionally
+ ///
+ private bool ServerStopped { get; set; }
+
+ //Servers
+ SecureTCPServer SecureServer;
+
+ ///
+ ///
+ ///
+ bool ProgramIsStopping;
+
+ #endregion
+
+ #region Constructors
+ ///
+ /// constructor S+ Does not accept a key. Use initialze with key to set the debug key on this device. If using with + make sure to set all properties manually.
+ ///
+ public GenericSecureTcpIpServer()
+ : base("Uninitialized Secure TCP Server")
+ {
+ HeartbeatRequiredIntervalInSeconds = 15;
+ CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
+ BufferSize = 2000;
+ MonitorClientMaxFailureCount = 3;
+ }
+
+ ///
+ /// constructor with debug key set at instantiation. Make sure to set all properties before listening.
+ ///
+ ///
+ public GenericSecureTcpIpServer(string key)
+ : base("Uninitialized Secure TCP Server")
+ {
+ HeartbeatRequiredIntervalInSeconds = 15;
+ CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
+ BufferSize = 2000;
+ MonitorClientMaxFailureCount = 3;
+ Key = key;
+ }
+
+ ///
+ /// Contstructor that sets all properties by calling the initialize method with a config object. This does set Queue size.
+ ///
+ ///
+ public GenericSecureTcpIpServer(TcpServerConfigObject serverConfigObject)
+ : base("Uninitialized Secure TCP Server")
+ {
+ HeartbeatRequiredIntervalInSeconds = 15;
+ CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
+ BufferSize = 2000;
+ MonitorClientMaxFailureCount = 3;
+ Initialize(serverConfigObject);
+ }
+ #endregion
+
+ #region Methods - Server Actions
+ ///
+ /// Disconnects all clients and stops the server
+ ///
+ public void KillServer()
+ {
+ ServerStopped = true;
+ if (MonitorClient != null)
+ {
+ MonitorClient.Disconnect();
+ }
+ DisconnectAllClientsForShutdown();
+ StopListening();
+ }
+
+ ///
+ /// Initialize Key for device using client name from SIMPL+. Called on Listen from SIMPL+
+ ///
+ ///
+ public void Initialize(string key)
+ {
+ Key = key;
+ }
+
+ ///
+ /// Initialze the server
+ ///
+ ///
+ public void Initialize(TcpServerConfigObject serverConfigObject)
+ {
+ try
+ {
+ if (serverConfigObject != null || string.IsNullOrEmpty(serverConfigObject.Key))
{
- if (SecureServer != null)
- return (SecureServer.State & ServerState.SERVER_LISTENING) == ServerState.SERVER_LISTENING;
- else
- return false;
- //return (Secure ? SecureServer != null : UnsecureServer != null) &&
- //(Secure ? (SecureServer.State & ServerState.SERVER_LISTENING) == ServerState.SERVER_LISTENING :
- // (UnsecureServer.State & ServerState.SERVER_LISTENING) == ServerState.SERVER_LISTENING);
+ Key = serverConfigObject.Key;
+ MaxClients = serverConfigObject.MaxClients;
+ Port = serverConfigObject.Port;
+ SharedKeyRequired = serverConfigObject.SharedKeyRequired;
+ SharedKey = serverConfigObject.SharedKey;
+ HeartbeatRequired = serverConfigObject.HeartbeatRequired;
+ HeartbeatRequiredIntervalInSeconds = serverConfigObject.HeartbeatRequiredIntervalInSeconds;
+ HeartbeatStringToMatch = serverConfigObject.HeartbeatStringToMatch;
+ BufferSize = serverConfigObject.BufferSize;
+ ReceiveQueueSize = serverConfigObject.ReceiveQueueSize > 20 ? serverConfigObject.ReceiveQueueSize : 20;
+ MessageQueue = new CrestronQueue(ReceiveQueueSize);
}
- }
-
- ///
- /// S+ helper for IsConnected
- ///
- public ushort UIsListening
- {
- get { return (ushort)(IsListening ? 1 : 0); }
- }
- ///
- /// Max number of clients this server will allow for connection. Crestron max is 64. This number should be less than 65
- ///
- public ushort MaxClients { get; set; } // should be set by parameter in SIMPL+ in the MAIN method, Should not ever need to be configurable
- ///
- /// Number of clients currently connected.
- ///
- public ushort NumberOfClientsConnected
- {
- get
- {
- if (SecureServer != null)
- return (ushort)SecureServer.NumberOfClientsConnected;
- return 0;
- }
- }
-
- ///
- /// Gets or sets the Port
- ///
- public int Port { get; set; }
-
- ///
- /// S+ helper for Port
- ///
- public ushort UPort
- {
- get { return Convert.ToUInt16(Port); }
- set { Port = Convert.ToInt32(value); }
- }
-
- ///
- /// Bool to show whether the server requires a preshared key. Must be set the same in the client, and if true shared keys must be identical on server/client
- ///
- public bool SharedKeyRequired { get; set; }
-
- ///
- /// S+ helper for requires shared key bool
- ///
- public ushort USharedKeyRequired
- {
- set
- {
- if (value == 1)
- SharedKeyRequired = true;
- else
- SharedKeyRequired = false;
- }
- }
-
- ///
- /// Gets or sets the SharedKey
- ///
- public string SharedKey { get; set; }
-
- ///
- /// Heartbeat Required bool sets whether server disconnects client if heartbeat is not received
- ///
- public bool HeartbeatRequired { get; set; }
-
- ///
- /// S+ Helper for Heartbeat Required
- ///
- public ushort UHeartbeatRequired
- {
- set
- {
- if (value == 1)
- HeartbeatRequired = true;
- else
- HeartbeatRequired = false;
- }
- }
-
- ///
- /// Gets or sets the HeartbeatRequiredIntervalMs
- ///
- public int HeartbeatRequiredIntervalMs { get; set; }
-
- ///
- /// Simpl+ Heartbeat Analog value in seconds
- ///
- public ushort HeartbeatRequiredIntervalInSeconds { set { HeartbeatRequiredIntervalMs = (value * 1000); } }
-
- ///
- /// Gets or sets the HeartbeatStringToMatch
- ///
- public string HeartbeatStringToMatch { get; set; }
-
- //private timers for Heartbeats per client
- Dictionary HeartbeatTimerDictionary = new Dictionary();
-
- //flags to show the secure server is waiting for client at index to send the shared key
- List WaitingForSharedKey = new List();
-
- List ClientReadyAfterKeyExchange = new List();
-
- ///
- /// The connected client indexes
- ///
- public List ConnectedClientsIndexes = new List();
-
- ///
- /// Gets or sets the BufferSize
- ///
- public int BufferSize { get; set; }
-
- ///
- /// Private flag to note that the server has stopped intentionally
- ///
- private bool ServerStopped { get; set; }
-
- //Servers
- SecureTCPServer SecureServer;
-
- ///
- ///
- ///
- bool ProgramIsStopping;
-
- #endregion
-
- #region Constructors
- ///
- /// constructor S+ Does not accept a key. Use initialze with key to set the debug key on this device. If using with + make sure to set all properties manually.
- ///
- public GenericSecureTcpIpServer()
- : base("Uninitialized Secure TCP Server")
- {
- HeartbeatRequiredIntervalInSeconds = 15;
- CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
- BufferSize = 2000;
- MonitorClientMaxFailureCount = 3;
- }
-
- ///
- /// constructor with debug key set at instantiation. Make sure to set all properties before listening.
- ///
- ///
- public GenericSecureTcpIpServer(string key)
- : base("Uninitialized Secure TCP Server")
- {
- HeartbeatRequiredIntervalInSeconds = 15;
- CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
- BufferSize = 2000;
- MonitorClientMaxFailureCount = 3;
- Key = key;
- }
-
- ///
- /// Contstructor that sets all properties by calling the initialize method with a config object. This does set Queue size.
- ///
- ///
- public GenericSecureTcpIpServer(TcpServerConfigObject serverConfigObject)
- : base("Uninitialized Secure TCP Server")
- {
- HeartbeatRequiredIntervalInSeconds = 15;
- CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
- BufferSize = 2000;
- MonitorClientMaxFailureCount = 3;
- Initialize(serverConfigObject);
- }
- #endregion
-
- #region Methods - Server Actions
- ///
- /// KillServer method
- ///
- public void KillServer()
- {
- ServerStopped = true;
- if (MonitorClient != null)
- {
- MonitorClient.Disconnect();
- }
- DisconnectAllClientsForShutdown();
- StopListening();
- }
-
- ///
- /// Initialize Key for device using client name from SIMPL+. Called on Listen from SIMPL+
- ///
- ///
- ///
- /// Initialize method
- ///
- public void Initialize(string key)
- {
- Key = key;
- }
-
- ///
- /// Initialze the server
- ///
- ///
- public void Initialize(TcpServerConfigObject serverConfigObject)
- {
- try
- {
- if (serverConfigObject != null || string.IsNullOrEmpty(serverConfigObject.Key))
- {
- Key = serverConfigObject.Key;
- MaxClients = serverConfigObject.MaxClients;
- Port = serverConfigObject.Port;
- SharedKeyRequired = serverConfigObject.SharedKeyRequired;
- SharedKey = serverConfigObject.SharedKey;
- HeartbeatRequired = serverConfigObject.HeartbeatRequired;
- HeartbeatRequiredIntervalInSeconds = serverConfigObject.HeartbeatRequiredIntervalInSeconds;
- HeartbeatStringToMatch = serverConfigObject.HeartbeatStringToMatch;
- BufferSize = serverConfigObject.BufferSize;
- ReceiveQueueSize = serverConfigObject.ReceiveQueueSize > 20 ? serverConfigObject.ReceiveQueueSize : 20;
- MessageQueue = new CrestronQueue(ReceiveQueueSize);
- }
- else
- {
- ErrorLog.Error("Could not initialize server with key: {0}", serverConfigObject.Key);
- }
- }
- catch
+ else
{
ErrorLog.Error("Could not initialize server with key: {0}", serverConfigObject.Key);
}
}
-
- ///
- /// Listen method
- ///
- public void Listen()
+ catch
{
- ServerCCSection.Enter();
- try
+ ErrorLog.Error("Could not initialize server with key: {0}", serverConfigObject.Key);
+ }
+ }
+
+ ///
+ /// Start listening on the specified port
+ ///
+ public void Listen()
+ {
+ ServerCCSection.Enter();
+ try
+ {
+ if (Port < 1 || Port > 65535)
{
- if (Port < 1 || Port > 65535)
- {
- Debug.Console(1, this, Debug.ErrorLogLevel.Error, "Server '{0}': Invalid port", Key);
- ErrorLog.Warn(string.Format("Server '{0}': Invalid port", Key));
- return;
- }
- if (string.IsNullOrEmpty(SharedKey) && SharedKeyRequired)
- {
- Debug.Console(1, this, Debug.ErrorLogLevel.Error, "Server '{0}': No Shared Key set", Key);
- ErrorLog.Warn(string.Format("Server '{0}': No Shared Key set", Key));
- return;
- }
+ Debug.Console(1, this, Debug.ErrorLogLevel.Error, "Server '{0}': Invalid port", Key);
+ ErrorLog.Warn(string.Format("Server '{0}': Invalid port", Key));
+ return;
+ }
+ if (string.IsNullOrEmpty(SharedKey) && SharedKeyRequired)
+ {
+ Debug.Console(1, this, Debug.ErrorLogLevel.Error, "Server '{0}': No Shared Key set", Key);
+ ErrorLog.Warn(string.Format("Server '{0}': No Shared Key set", Key));
+ return;
+ }
if (SecureServer == null)
@@ -446,19 +444,19 @@ namespace PepperDash.Core
Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Secure Server Status: {0}, Socket Status: {1}", SecureServer.State, SecureServer.ServerSocketStatus);
ServerCCSection.Leave();
- }
- catch (Exception ex)
- {
- ServerCCSection.Leave();
- ErrorLog.Error("{1} Error with Dynamic Server: {0}", ex.ToString(), Key);
- }
}
-
- ///
- /// StopListening method
- ///
- public void StopListening()
+ catch (Exception ex)
{
+ ServerCCSection.Leave();
+ ErrorLog.Error("{1} Error with Dynamic Server: {0}", ex.ToString(), Key);
+ }
+ }
+
+ ///
+ /// Stop Listeneing
+ ///
+ public void StopListening()
+ {
try
{
Debug.Console(2, this, Debug.ErrorLogLevel.Notice, "Stopping Listener");
@@ -474,153 +472,129 @@ namespace PepperDash.Core
{
Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error stopping server. Error: {0}", ex);
}
- }
+ }
- ///
- /// Disconnects Client
- ///
- ///
- ///
- /// DisconnectClient method
- ///
- public void DisconnectClient(uint client)
+ ///
+ /// Disconnects Client
+ ///
+ ///
+ public void DisconnectClient(uint client)
+ {
+ try
{
- try
- {
- SecureServer.Disconnect(client);
- Debug.Console(2, this, Debug.ErrorLogLevel.Notice, "Disconnected client index: {0}", client);
- }
- catch (Exception ex)
- {
- Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error Disconnecting client index: {0}. Error: {1}", client, ex);
- }
+ SecureServer.Disconnect(client);
+ Debug.Console(2, this, Debug.ErrorLogLevel.Notice, "Disconnected client index: {0}", client);
}
- ///
- /// DisconnectAllClientsForShutdown method
- ///
- public void DisconnectAllClientsForShutdown()
+ catch (Exception ex)
{
- Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Disconnecting All Clients");
- if (SecureServer != null)
+ Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error Disconnecting client index: {0}. Error: {1}", client, ex);
+ }
+ }
+ ///
+ /// Disconnect All Clients
+ ///
+ public void DisconnectAllClientsForShutdown()
+ {
+ Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Disconnecting All Clients");
+ if (SecureServer != null)
+ {
+ SecureServer.SocketStatusChange -= SecureServer_SocketStatusChange;
+ foreach (var index in ConnectedClientsIndexes.ToList()) // copy it here so that it iterates properly
{
- SecureServer.SocketStatusChange -= SecureServer_SocketStatusChange;
- foreach (var index in ConnectedClientsIndexes.ToList()) // copy it here so that it iterates properly
+ var i = index;
+ if (!SecureServer.ClientConnected(index))
+ continue;
+ try
{
- var i = index;
- if (!SecureServer.ClientConnected(index))
- continue;
- try
- {
- SecureServer.Disconnect(i);
- Debug.Console(2, this, Debug.ErrorLogLevel.Notice, "Disconnected client index: {0}", i);
- }
- catch (Exception ex)
- {
- Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error Disconnecting client index: {0}. Error: {1}", i, ex);
- }
+ SecureServer.Disconnect(i);
+ Debug.Console(2, this, Debug.ErrorLogLevel.Notice, "Disconnected client index: {0}", i);
}
- Debug.Console(2, this, Debug.ErrorLogLevel.Notice, "Server Status: {0}", SecureServer.ServerSocketStatus);
- }
-
- Debug.Console(2, this, Debug.ErrorLogLevel.Notice, "Disconnected All Clients");
- ConnectedClientsIndexes.Clear();
-
- if (!ProgramIsStopping)
- {
- OnConnectionChange();
- OnServerStateChange(SecureServer.State); //State shows both listening and connected
- }
-
- // var o = new { };
- }
-
- ///
- /// Broadcast text from server to all connected clients
- ///
- ///
- ///
- /// BroadcastText method
- ///
- public void BroadcastText(string text)
- {
- CCriticalSection CCBroadcast = new CCriticalSection();
- CCBroadcast.Enter();
- try
- {
- if (ConnectedClientsIndexes.Count > 0)
+ catch (Exception ex)
{
- byte[] b = Encoding.GetEncoding(28591).GetBytes(text);
- foreach (uint i in ConnectedClientsIndexes)
- {
- if (!SharedKeyRequired || (SharedKeyRequired && ClientReadyAfterKeyExchange.Contains(i)))
- {
- SocketErrorCodes error = SecureServer.SendDataAsync(i, b, b.Length, (x, y, z) => { });
- if (error != SocketErrorCodes.SOCKET_OK && error != SocketErrorCodes.SOCKET_OPERATION_PENDING)
- this.LogVerbose("{error}", error);
- }
- }
+ Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error Disconnecting client index: {0}. Error: {1}", i, ex);
}
- CCBroadcast.Leave();
- }
- catch (Exception ex)
- {
- CCBroadcast.Leave();
- Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error Broadcasting messages from server. Error: {0}", ex.Message);
}
+ Debug.Console(2, this, Debug.ErrorLogLevel.Notice, "Server Status: {0}", SecureServer.ServerSocketStatus);
}
- ///
- /// Not sure this is useful in library, maybe Pro??
- ///
- ///
- ///
- ///
- /// SendTextToClient method
- ///
- public void SendTextToClient(string text, uint clientIndex)
+ Debug.Console(2, this, Debug.ErrorLogLevel.Notice, "Disconnected All Clients");
+ ConnectedClientsIndexes.Clear();
+
+ if (!ProgramIsStopping)
{
- try
+ OnConnectionChange();
+ OnServerStateChange(SecureServer.State); //State shows both listening and connected
+ }
+
+ // var o = new { };
+ }
+
+ ///
+ /// Broadcast text from server to all connected clients
+ ///
+ ///
+ public void BroadcastText(string text)
+ {
+ CCriticalSection CCBroadcast = new CCriticalSection();
+ CCBroadcast.Enter();
+ try
+ {
+ if (ConnectedClientsIndexes.Count > 0)
{
byte[] b = Encoding.GetEncoding(28591).GetBytes(text);
- if (SecureServer != null && SecureServer.GetServerSocketStatusForSpecificClient(clientIndex) == SocketStatus.SOCKET_STATUS_CONNECTED)
+ foreach (uint i in ConnectedClientsIndexes)
{
- if (!SharedKeyRequired || (SharedKeyRequired && ClientReadyAfterKeyExchange.Contains(clientIndex)))
- SecureServer.SendDataAsync(clientIndex, b, b.Length, (x, y, z) => { });
+ if (!SharedKeyRequired || (SharedKeyRequired && ClientReadyAfterKeyExchange.Contains(i)))
+ {
+ SocketErrorCodes error = SecureServer.SendDataAsync(i, b, b.Length, (x, y, z) => { });
+ if (error != SocketErrorCodes.SOCKET_OK && error != SocketErrorCodes.SOCKET_OPERATION_PENDING)
+ this.LogVerbose("{error}", error);
+ }
}
}
- catch (Exception ex)
+ CCBroadcast.Leave();
+ }
+ catch (Exception ex)
+ {
+ CCBroadcast.Leave();
+ Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error Broadcasting messages from server. Error: {0}", ex.Message);
+ }
+ }
+
+ ///
+ /// Not sure this is useful in library, maybe Pro??
+ ///
+ ///
+ ///
+ public void SendTextToClient(string text, uint clientIndex)
+ {
+ try
+ {
+ byte[] b = Encoding.GetEncoding(28591).GetBytes(text);
+ if (SecureServer != null && SecureServer.GetServerSocketStatusForSpecificClient(clientIndex) == SocketStatus.SOCKET_STATUS_CONNECTED)
{
- Debug.Console(2, this, "Error sending text to client. Text: {1}. Error: {0}", ex.Message, text);
+ if (!SharedKeyRequired || (SharedKeyRequired && ClientReadyAfterKeyExchange.Contains(clientIndex)))
+ SecureServer.SendDataAsync(clientIndex, b, b.Length, (x, y, z) => { });
}
}
-
- //private method to check heartbeat requirements and start or reset timer
- string checkHeartbeat(uint clientIndex, string received)
+ catch (Exception ex)
{
- try
+ Debug.Console(2, this, "Error sending text to client. Text: {1}. Error: {0}", ex.Message, text);
+ }
+ }
+
+ //private method to check heartbeat requirements and start or reset timer
+ string checkHeartbeat(uint clientIndex, string received)
+ {
+ try
+ {
+ if (HeartbeatRequired)
{
- if (HeartbeatRequired)
+ if (!string.IsNullOrEmpty(HeartbeatStringToMatch))
{
- if (!string.IsNullOrEmpty(HeartbeatStringToMatch))
- {
- var remainingText = received.Replace(HeartbeatStringToMatch, "");
- var noDelimiter = received.Trim(new char[] { '\r', '\n' });
- if (noDelimiter.Contains(HeartbeatStringToMatch))
- {
- if (HeartbeatTimerDictionary.ContainsKey(clientIndex))
- HeartbeatTimerDictionary[clientIndex].Reset(HeartbeatRequiredIntervalMs);
- else
- {
- CTimer HeartbeatTimer = new CTimer(HeartbeatTimer_CallbackFunction, clientIndex, HeartbeatRequiredIntervalMs);
- HeartbeatTimerDictionary.Add(clientIndex, HeartbeatTimer);
- }
- Debug.Console(1, this, "Heartbeat Received: {0}, from client index: {1}", HeartbeatStringToMatch, clientIndex);
- // Return Heartbeat
- SendTextToClient(HeartbeatStringToMatch, clientIndex);
- return remainingText;
- }
- }
- else
+ var remainingText = received.Replace(HeartbeatStringToMatch, "");
+ var noDelimiter = received.Trim(new char[] { '\r', '\n' });
+ if (noDelimiter.Contains(HeartbeatStringToMatch))
{
if (HeartbeatTimerDictionary.ContainsKey(clientIndex))
HeartbeatTimerDictionary[clientIndex].Reset(HeartbeatRequiredIntervalMs);
@@ -629,182 +603,194 @@ namespace PepperDash.Core
CTimer HeartbeatTimer = new CTimer(HeartbeatTimer_CallbackFunction, clientIndex, HeartbeatRequiredIntervalMs);
HeartbeatTimerDictionary.Add(clientIndex, HeartbeatTimer);
}
- Debug.Console(1, this, "Heartbeat Received: {0}, from client index: {1}", received, clientIndex);
+ Debug.Console(1, this, "Heartbeat Received: {0}, from client index: {1}", HeartbeatStringToMatch, clientIndex);
+ // Return Heartbeat
+ SendTextToClient(HeartbeatStringToMatch, clientIndex);
+ return remainingText;
}
}
- }
- catch (Exception ex)
- {
- Debug.Console(1, this, "Error checking heartbeat: {0}", ex.Message);
- }
- return received;
- }
-
- ///
- /// Get the IP Address for the client at the specifed index
- ///
- ///
- ///
- ///
- /// GetClientIPAddress method
- ///
- public string GetClientIPAddress(uint clientIndex)
- {
- Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "GetClientIPAddress Index: {0}", clientIndex);
- if (!SharedKeyRequired || (SharedKeyRequired && ClientReadyAfterKeyExchange.Contains(clientIndex)))
- {
- var ipa = this.SecureServer.GetAddressServerAcceptedConnectionFromForSpecificClient(clientIndex);
- Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "GetClientIPAddress IPAddreess: {0}", ipa);
- return ipa;
-
- }
- else
- {
- return "";
+ else
+ {
+ if (HeartbeatTimerDictionary.ContainsKey(clientIndex))
+ HeartbeatTimerDictionary[clientIndex].Reset(HeartbeatRequiredIntervalMs);
+ else
+ {
+ CTimer HeartbeatTimer = new CTimer(HeartbeatTimer_CallbackFunction, clientIndex, HeartbeatRequiredIntervalMs);
+ HeartbeatTimerDictionary.Add(clientIndex, HeartbeatTimer);
+ }
+ Debug.Console(1, this, "Heartbeat Received: {0}, from client index: {1}", received, clientIndex);
+ }
}
}
-
- #endregion
-
- #region Methods - HeartbeatTimer Callback
-
- void HeartbeatTimer_CallbackFunction(object o)
+ catch (Exception ex)
{
- uint clientIndex = 99999;
- string address = string.Empty;
- try
+ Debug.Console(1, this, "Error checking heartbeat: {0}", ex.Message);
+ }
+ return received;
+ }
+
+ ///
+ /// Get the IP Address for the client at the specifed index
+ ///
+ ///
+ ///
+ public string GetClientIPAddress(uint clientIndex)
+ {
+ Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "GetClientIPAddress Index: {0}", clientIndex);
+ if (!SharedKeyRequired || (SharedKeyRequired && ClientReadyAfterKeyExchange.Contains(clientIndex)))
+ {
+ var ipa = this.SecureServer.GetAddressServerAcceptedConnectionFromForSpecificClient(clientIndex);
+ Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "GetClientIPAddress IPAddreess: {0}", ipa);
+ return ipa;
+
+ }
+ else
+ {
+ return "";
+ }
+ }
+
+ #endregion
+
+ #region Methods - HeartbeatTimer Callback
+
+ void HeartbeatTimer_CallbackFunction(object o)
+ {
+ uint clientIndex = 99999;
+ string address = string.Empty;
+ try
+ {
+ clientIndex = (uint)o;
+ address = SecureServer.GetAddressServerAcceptedConnectionFromForSpecificClient(clientIndex);
+
+ Debug.Console(1, this, Debug.ErrorLogLevel.Warning, "Heartbeat not received for Client index {2} IP: {0}, DISCONNECTING BECAUSE HEARTBEAT REQUIRED IS TRUE {1}",
+ address, string.IsNullOrEmpty(HeartbeatStringToMatch) ? "" : ("HeartbeatStringToMatch: " + HeartbeatStringToMatch), clientIndex);
+
+ if (SecureServer.GetServerSocketStatusForSpecificClient(clientIndex) == SocketStatus.SOCKET_STATUS_CONNECTED)
+ SendTextToClient("Heartbeat not received by server, closing connection", clientIndex);
+
+ var discoResult = SecureServer.Disconnect(clientIndex);
+ //Debug.Console(1, this, "{0}", discoResult);
+
+ if (HeartbeatTimerDictionary.ContainsKey(clientIndex))
{
- clientIndex = (uint)o;
- address = SecureServer.GetAddressServerAcceptedConnectionFromForSpecificClient(clientIndex);
+ HeartbeatTimerDictionary[clientIndex].Stop();
+ HeartbeatTimerDictionary[clientIndex].Dispose();
+ HeartbeatTimerDictionary.Remove(clientIndex);
+ }
+ }
+ catch (Exception ex)
+ {
+ ErrorLog.Error("{3}: Heartbeat timeout Error on Client Index: {0}, at address: {1}, error: {2}", clientIndex, address, ex.Message, Key);
+ }
+ }
- Debug.Console(1, this, Debug.ErrorLogLevel.Warning, "Heartbeat not received for Client index {2} IP: {0}, DISCONNECTING BECAUSE HEARTBEAT REQUIRED IS TRUE {1}",
- address, string.IsNullOrEmpty(HeartbeatStringToMatch) ? "" : ("HeartbeatStringToMatch: " + HeartbeatStringToMatch), clientIndex);
+ #endregion
- if (SecureServer.GetServerSocketStatusForSpecificClient(clientIndex) == SocketStatus.SOCKET_STATUS_CONNECTED)
- SendTextToClient("Heartbeat not received by server, closing connection", clientIndex);
+ #region Methods - Socket Status Changed Callbacks
+ ///
+ /// Secure Server Socket Status Changed Callback
+ ///
+ ///
+ ///
+ ///
+ void SecureServer_SocketStatusChange(SecureTCPServer server, uint clientIndex, SocketStatus serverSocketStatus)
+ {
+ try
+ {
+
- var discoResult = SecureServer.Disconnect(clientIndex);
- //Debug.Console(1, this, "{0}", discoResult);
-
- if (HeartbeatTimerDictionary.ContainsKey(clientIndex))
+ // Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "SecureServerSocketStatusChange Index:{0} status:{1} Port:{2} IP:{3}", clientIndex, serverSocketStatus, this.SecureServer.GetPortNumberServerAcceptedConnectionFromForSpecificClient(clientIndex), this.SecureServer.GetLocalAddressServerAcceptedConnectionFromForSpecificClient(clientIndex));
+ if (serverSocketStatus != SocketStatus.SOCKET_STATUS_CONNECTED)
+ {
+ Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "SecureServerSocketStatusChange ConnectedCLients: {0} ServerState: {1} Port: {2}", SecureServer.NumberOfClientsConnected, SecureServer.State, SecureServer.PortNumber);
+
+ if (ConnectedClientsIndexes.Contains(clientIndex))
+ ConnectedClientsIndexes.Remove(clientIndex);
+ if (HeartbeatRequired && HeartbeatTimerDictionary.ContainsKey(clientIndex))
{
HeartbeatTimerDictionary[clientIndex].Stop();
HeartbeatTimerDictionary[clientIndex].Dispose();
HeartbeatTimerDictionary.Remove(clientIndex);
}
- }
- catch (Exception ex)
- {
- ErrorLog.Error("{3}: Heartbeat timeout Error on Client Index: {0}, at address: {1}, error: {2}", clientIndex, address, ex.Message, Key);
- }
- }
-
- #endregion
-
- #region Methods - Socket Status Changed Callbacks
- ///
- /// Secure Server Socket Status Changed Callback
- ///
- ///
- ///
- ///
- void SecureServer_SocketStatusChange(SecureTCPServer server, uint clientIndex, SocketStatus serverSocketStatus)
- {
- try
- {
-
-
- // Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "SecureServerSocketStatusChange Index:{0} status:{1} Port:{2} IP:{3}", clientIndex, serverSocketStatus, this.SecureServer.GetPortNumberServerAcceptedConnectionFromForSpecificClient(clientIndex), this.SecureServer.GetLocalAddressServerAcceptedConnectionFromForSpecificClient(clientIndex));
- if (serverSocketStatus != SocketStatus.SOCKET_STATUS_CONNECTED)
- {
- Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "SecureServerSocketStatusChange ConnectedCLients: {0} ServerState: {1} Port: {2}", SecureServer.NumberOfClientsConnected, SecureServer.State, SecureServer.PortNumber);
-
- if (ConnectedClientsIndexes.Contains(clientIndex))
- ConnectedClientsIndexes.Remove(clientIndex);
- if (HeartbeatRequired && HeartbeatTimerDictionary.ContainsKey(clientIndex))
- {
- HeartbeatTimerDictionary[clientIndex].Stop();
- HeartbeatTimerDictionary[clientIndex].Dispose();
- HeartbeatTimerDictionary.Remove(clientIndex);
- }
- if (ClientReadyAfterKeyExchange.Contains(clientIndex))
- ClientReadyAfterKeyExchange.Remove(clientIndex);
+ if (ClientReadyAfterKeyExchange.Contains(clientIndex))
+ ClientReadyAfterKeyExchange.Remove(clientIndex);
if (WaitingForSharedKey.Contains(clientIndex))
WaitingForSharedKey.Remove(clientIndex);
if (SecureServer.MaxNumberOfClientSupported > SecureServer.NumberOfClientsConnected)
{
Listen();
}
- }
}
- catch (Exception ex)
- {
- Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error in Socket Status Change Callback. Error: {0}", ex);
- }
- //Use a thread for this event so that the server state updates to listening while this event is processed. Listening must be added to the server state
- //after every client connection so that the server can check and see if it is at max clients. Due to this the event fires and server listening enum bit flag
- //is not set. Putting in a thread allows the state to update before this event processes so that the subscribers to this event get accurate isListening in the event.
- CrestronInvoke.BeginInvoke(o => onConnectionChange(clientIndex, server.GetServerSocketStatusForSpecificClient(clientIndex)), null);
}
-
- #endregion
-
- #region Methods Connected Callbacks
- ///
- /// Secure TCP Client Connected to Secure Server Callback
- ///
- ///
- ///
- void SecureConnectCallback(SecureTCPServer server, uint clientIndex)
+ catch (Exception ex)
{
- try
+ Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error in Socket Status Change Callback. Error: {0}", ex);
+ }
+ //Use a thread for this event so that the server state updates to listening while this event is processed. Listening must be added to the server state
+ //after every client connection so that the server can check and see if it is at max clients. Due to this the event fires and server listening enum bit flag
+ //is not set. Putting in a thread allows the state to update before this event processes so that the subscribers to this event get accurate isListening in the event.
+ CrestronInvoke.BeginInvoke(o => onConnectionChange(clientIndex, server.GetServerSocketStatusForSpecificClient(clientIndex)), null);
+ }
+
+ #endregion
+
+ #region Methods Connected Callbacks
+ ///
+ /// Secure TCP Client Connected to Secure Server Callback
+ ///
+ ///
+ ///
+ void SecureConnectCallback(SecureTCPServer server, uint clientIndex)
+ {
+ try
+ {
+ Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "ConnectCallback: IPAddress: {0}. Index: {1}. Status: {2}",
+ server.GetAddressServerAcceptedConnectionFromForSpecificClient(clientIndex),
+ clientIndex, server.GetServerSocketStatusForSpecificClient(clientIndex));
+ if (clientIndex != 0)
{
- Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "ConnectCallback: IPAddress: {0}. Index: {1}. Status: {2}",
- server.GetAddressServerAcceptedConnectionFromForSpecificClient(clientIndex),
- clientIndex, server.GetServerSocketStatusForSpecificClient(clientIndex));
- if (clientIndex != 0)
+ if (server.ClientConnected(clientIndex))
{
- if (server.ClientConnected(clientIndex))
+
+ if (!ConnectedClientsIndexes.Contains(clientIndex))
{
-
- if (!ConnectedClientsIndexes.Contains(clientIndex))
- {
- ConnectedClientsIndexes.Add(clientIndex);
- }
- if (SharedKeyRequired)
- {
- if (!WaitingForSharedKey.Contains(clientIndex))
- {
- WaitingForSharedKey.Add(clientIndex);
- }
- byte[] b = Encoding.GetEncoding(28591).GetBytes("SharedKey:");
- server.SendDataAsync(clientIndex, b, b.Length, (x, y, z) => { });
- Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Sent Shared Key Request to client at {0}", server.GetAddressServerAcceptedConnectionFromForSpecificClient(clientIndex));
- }
- else
- {
- OnServerClientReadyForCommunications(clientIndex);
- }
- if (HeartbeatRequired)
- {
- if (!HeartbeatTimerDictionary.ContainsKey(clientIndex))
- {
- HeartbeatTimerDictionary.Add(clientIndex, new CTimer(HeartbeatTimer_CallbackFunction, clientIndex, HeartbeatRequiredIntervalMs));
- }
- }
-
- server.ReceiveDataAsync(clientIndex, SecureReceivedDataAsyncCallback);
+ ConnectedClientsIndexes.Add(clientIndex);
}
- }
- else
- {
- Debug.Console(1, this, Debug.ErrorLogLevel.Error, "Client attempt faulty.");
+ if (SharedKeyRequired)
+ {
+ if (!WaitingForSharedKey.Contains(clientIndex))
+ {
+ WaitingForSharedKey.Add(clientIndex);
+ }
+ byte[] b = Encoding.GetEncoding(28591).GetBytes("SharedKey:");
+ server.SendDataAsync(clientIndex, b, b.Length, (x, y, z) => { });
+ Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Sent Shared Key Request to client at {0}", server.GetAddressServerAcceptedConnectionFromForSpecificClient(clientIndex));
+ }
+ else
+ {
+ OnServerClientReadyForCommunications(clientIndex);
+ }
+ if (HeartbeatRequired)
+ {
+ if (!HeartbeatTimerDictionary.ContainsKey(clientIndex))
+ {
+ HeartbeatTimerDictionary.Add(clientIndex, new CTimer(HeartbeatTimer_CallbackFunction, clientIndex, HeartbeatRequiredIntervalMs));
+ }
+ }
+
+ server.ReceiveDataAsync(clientIndex, SecureReceivedDataAsyncCallback);
}
}
- catch (Exception ex)
+ else
{
- Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error in Socket Status Connect Callback. Error: {0}", ex);
+ Debug.Console(1, this, Debug.ErrorLogLevel.Error, "Client attempt faulty.");
}
+ }
+ catch (Exception ex)
+ {
+ Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error in Socket Status Connect Callback. Error: {0}", ex);
+ }
// Rearm the listner
SocketErrorCodes status = server.WaitForConnectionAsync(IPAddress.Any, SecureConnectCallback);
@@ -820,279 +806,278 @@ namespace PepperDash.Core
}
}
- #endregion
+ #endregion
- #region Methods - Send/Receive Callbacks
- ///
- /// Secure Received Data Async Callback
- ///
- ///
- ///
- ///
- void SecureReceivedDataAsyncCallback(SecureTCPServer mySecureTCPServer, uint clientIndex, int numberOfBytesReceived)
+ #region Methods - Send/Receive Callbacks
+ ///
+ /// Secure Received Data Async Callback
+ ///
+ ///
+ ///
+ ///
+ void SecureReceivedDataAsyncCallback(SecureTCPServer mySecureTCPServer, uint clientIndex, int numberOfBytesReceived)
+ {
+ if (numberOfBytesReceived > 0)
{
- if (numberOfBytesReceived > 0)
- {
- string received = "Nothing";
- var handler = TextReceivedQueueInvoke;
- try
+ string received = "Nothing";
+ var handler = TextReceivedQueueInvoke;
+ try
+ {
+ byte[] bytes = mySecureTCPServer.GetIncomingDataBufferForSpecificClient(clientIndex);
+ received = System.Text.Encoding.GetEncoding(28591).GetString(bytes, 0, numberOfBytesReceived);
+ if (WaitingForSharedKey.Contains(clientIndex))
{
- byte[] bytes = mySecureTCPServer.GetIncomingDataBufferForSpecificClient(clientIndex);
- received = System.Text.Encoding.GetEncoding(28591).GetString(bytes, 0, numberOfBytesReceived);
- if (WaitingForSharedKey.Contains(clientIndex))
+ received = received.Replace("\r", "");
+ received = received.Replace("\n", "");
+ if (received != SharedKey)
{
- received = received.Replace("\r", "");
- received = received.Replace("\n", "");
- if (received != SharedKey)
- {
- byte[] b = Encoding.GetEncoding(28591).GetBytes("Shared key did not match server. Disconnecting");
- Debug.Console(1, this, Debug.ErrorLogLevel.Warning, "Client at index {0} Shared key did not match the server, disconnecting client. Key: {1}", clientIndex, received);
- mySecureTCPServer.SendData(clientIndex, b, b.Length);
- mySecureTCPServer.Disconnect(clientIndex);
-
- return;
- }
+ byte[] b = Encoding.GetEncoding(28591).GetBytes("Shared key did not match server. Disconnecting");
+ Debug.Console(1, this, Debug.ErrorLogLevel.Warning, "Client at index {0} Shared key did not match the server, disconnecting client. Key: {1}", clientIndex, received);
+ mySecureTCPServer.SendData(clientIndex, b, b.Length);
+ mySecureTCPServer.Disconnect(clientIndex);
+
+ return;
+ }
- WaitingForSharedKey.Remove(clientIndex);
- byte[] success = Encoding.GetEncoding(28591).GetBytes("Shared Key Match");
- mySecureTCPServer.SendDataAsync(clientIndex, success, success.Length, null);
- OnServerClientReadyForCommunications(clientIndex);
- Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Client with index {0} provided the shared key and successfully connected to the server", clientIndex);
- }
- else if (!string.IsNullOrEmpty(checkHeartbeat(clientIndex, received)))
- {
- onTextReceived(received, clientIndex);
- if (handler != null)
- {
- MessageQueue.TryToEnqueue(new GenericTcpServerCommMethodReceiveTextArgs(received, clientIndex));
- }
- }
+ WaitingForSharedKey.Remove(clientIndex);
+ byte[] success = Encoding.GetEncoding(28591).GetBytes("Shared Key Match");
+ mySecureTCPServer.SendDataAsync(clientIndex, success, success.Length, null);
+ OnServerClientReadyForCommunications(clientIndex);
+ Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Client with index {0} provided the shared key and successfully connected to the server", clientIndex);
}
- catch (Exception ex)
+ else if (!string.IsNullOrEmpty(checkHeartbeat(clientIndex, received)))
{
- Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error Receiving data: {0}. Error: {1}", received, ex);
+ onTextReceived(received, clientIndex);
+ if (handler != null)
+ {
+ MessageQueue.TryToEnqueue(new GenericTcpServerCommMethodReceiveTextArgs(received, clientIndex));
+ }
}
+ }
+ catch (Exception ex)
+ {
+ Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error Receiving data: {0}. Error: {1}", received, ex);
+ }
if (mySecureTCPServer.GetServerSocketStatusForSpecificClient(clientIndex) == SocketStatus.SOCKET_STATUS_CONNECTED)
mySecureTCPServer.ReceiveDataAsync(clientIndex, SecureReceivedDataAsyncCallback);
- //Check to see if there is a subscription to the TextReceivedQueueInvoke event. If there is start the dequeue thread.
- if (handler != null)
- {
- var gotLock = DequeueLock.TryEnter();
- if (gotLock)
- CrestronInvoke.BeginInvoke((o) => DequeueEvent());
- }
+ //Check to see if there is a subscription to the TextReceivedQueueInvoke event. If there is start the dequeue thread.
+ if (handler != null)
+ {
+ var gotLock = DequeueLock.TryEnter();
+ if (gotLock)
+ CrestronInvoke.BeginInvoke((o) => DequeueEvent());
}
+ }
else
{
mySecureTCPServer.Disconnect(clientIndex);
- }
}
+ }
- ///
- /// This method gets spooled up in its own thread an protected by a CCriticalSection to prevent multiple threads from running concurrently.
- /// It will dequeue items as they are enqueued automatically.
- ///
- void DequeueEvent()
+ ///
+ /// This method gets spooled up in its own thread an protected by a CCriticalSection to prevent multiple threads from running concurrently.
+ /// It will dequeue items as they are enqueued automatically.
+ ///
+ void DequeueEvent()
+ {
+ try
{
- try
+ while (true)
{
- while (true)
- {
- // Pull from Queue and fire an event. Block indefinitely until an item can be removed, similar to a Gather.
- var message = MessageQueue.Dequeue();
- var handler = TextReceivedQueueInvoke;
- if (handler != null)
- {
- handler(this, message);
- }
- }
- }
- catch (Exception e)
- {
- this.LogException(e, "DequeueEvent error");
- }
- // Make sure to leave the CCritical section in case an exception above stops this thread, or we won't be able to restart it.
- if (DequeueLock != null)
- {
- DequeueLock.Leave();
- }
- }
-
- #endregion
-
- #region Methods - EventHelpers/Callbacks
-
- //Private Helper method to call the Connection Change Event
- void onConnectionChange(uint clientIndex, SocketStatus clientStatus)
- {
- if (clientIndex != 0) //0 is error not valid client change
- {
- var handler = ClientConnectionChange;
+ // Pull from Queue and fire an event. Block indefinitely until an item can be removed, similar to a Gather.
+ var message = MessageQueue.Dequeue();
+ var handler = TextReceivedQueueInvoke;
if (handler != null)
{
- handler(this, new GenericTcpServerSocketStatusChangeEventArgs(SecureServer, clientIndex, clientStatus));
+ handler(this, message);
}
}
}
-
- //Private Helper method to call the Connection Change Event
- void OnConnectionChange()
+ catch (Exception e)
+ {
+ this.LogError(e, "DequeueEvent error");
+ }
+ // Make sure to leave the CCritical section in case an exception above stops this thread, or we won't be able to restart it.
+ if (DequeueLock != null)
+ {
+ DequeueLock.Leave();
+ }
+ }
+
+ #endregion
+
+ #region Methods - EventHelpers/Callbacks
+
+ //Private Helper method to call the Connection Change Event
+ void onConnectionChange(uint clientIndex, SocketStatus clientStatus)
+ {
+ if (clientIndex != 0) //0 is error not valid client change
{
- if (ProgramIsStopping)
- {
- return;
- }
var handler = ClientConnectionChange;
if (handler != null)
{
- handler(this, new GenericTcpServerSocketStatusChangeEventArgs());
+ handler(this, new GenericTcpServerSocketStatusChangeEventArgs(SecureServer, clientIndex, clientStatus));
}
}
+ }
- //Private Helper Method to call the Text Received Event
- void onTextReceived(string text, uint clientIndex)
+ //Private Helper method to call the Connection Change Event
+ void OnConnectionChange()
+ {
+ if (ProgramIsStopping)
{
- var handler = TextReceived;
- if (handler != null)
- handler(this, new GenericTcpServerCommMethodReceiveTextArgs(text, clientIndex));
+ return;
}
-
- //Private Helper Method to call the Server State Change Event
- void OnServerStateChange(ServerState state)
+ var handler = ClientConnectionChange;
+ if (handler != null)
{
- if (ProgramIsStopping)
- {
- return;
- }
- var handler = ServerStateChange;
- if (handler != null)
- {
- handler(this, new GenericTcpServerStateChangedEventArgs(state));
- }
+ handler(this, new GenericTcpServerSocketStatusChangeEventArgs());
}
+ }
- ///
- /// Private Event Handler method to handle the closing of connections when the program stops
- ///
- ///
- void CrestronEnvironment_ProgramStatusEventHandler(eProgramStatusEventType programEventType)
+ //Private Helper Method to call the Text Received Event
+ void onTextReceived(string text, uint clientIndex)
+ {
+ var handler = TextReceived;
+ if (handler != null)
+ handler(this, new GenericTcpServerCommMethodReceiveTextArgs(text, clientIndex));
+ }
+
+ //Private Helper Method to call the Server State Change Event
+ void OnServerStateChange(ServerState state)
+ {
+ if (ProgramIsStopping)
{
- if (programEventType == eProgramStatusEventType.Stopping)
- {
- ProgramIsStopping = true;
- // kill bandaid things
- if (MonitorClientTimer != null)
- MonitorClientTimer.Stop();
- if (MonitorClient != null)
- MonitorClient.Disconnect();
-
- Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Program stopping. Closing server");
- KillServer();
- }
+ return;
}
-
- //Private event handler method to raise the event that the server is ready to send data after a successful client shared key negotiation
- void OnServerClientReadyForCommunications(uint clientIndex)
+ var handler = ServerStateChange;
+ if (handler != null)
{
- ClientReadyAfterKeyExchange.Add(clientIndex);
- var handler = ServerClientReadyForCommunications;
- if (handler != null)
- handler(this, new GenericTcpServerSocketStatusChangeEventArgs(
- this, clientIndex, SecureServer.GetServerSocketStatusForSpecificClient(clientIndex)));
+ handler(this, new GenericTcpServerStateChangedEventArgs(state));
}
- #endregion
+ }
- #region Monitor Client
- ///
- /// Starts the monitor client cycle. Timed wait, then call RunMonitorClient
- ///
- void StartMonitorClient()
+ ///
+ /// Private Event Handler method to handle the closing of connections when the program stops
+ ///
+ ///
+ void CrestronEnvironment_ProgramStatusEventHandler(eProgramStatusEventType programEventType)
+ {
+ if (programEventType == eProgramStatusEventType.Stopping)
{
+ ProgramIsStopping = true;
+ // kill bandaid things
if (MonitorClientTimer != null)
- {
- return;
- }
- MonitorClientTimer = new CTimer(o => RunMonitorClient(), 60000);
- }
-
- ///
- ///
- ///
- void RunMonitorClient()
- {
- MonitorClient = new GenericSecureTcpIpClient_ForServer(Key + "-MONITOR", "127.0.0.1", Port, 2000);
- MonitorClient.SharedKeyRequired = this.SharedKeyRequired;
- MonitorClient.SharedKey = this.SharedKey;
- MonitorClient.ConnectionHasHungCallback = MonitorClientHasHungCallback;
- //MonitorClient.ConnectionChange += MonitorClient_ConnectionChange;
- MonitorClient.ClientReadyForCommunications += MonitorClient_IsReadyForComm;
-
- Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Starting monitor check");
-
- MonitorClient.Connect();
- // From here MonitorCLient either connects or hangs, MonitorClient will call back
-
- }
-
- ///
- ///
- ///
- void StopMonitorClient()
- {
- if (MonitorClient == null)
- return;
-
- MonitorClient.ClientReadyForCommunications -= MonitorClient_IsReadyForComm;
- MonitorClient.Disconnect();
- MonitorClient = null;
- }
-
- ///
- /// On monitor connect, restart the operation
- ///
- void MonitorClient_IsReadyForComm(object sender, GenericTcpServerClientReadyForcommunicationsEventArgs args)
- {
- if (args.IsReady)
- {
- Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Monitor client connection success. Disconnecting in 2s");
MonitorClientTimer.Stop();
- MonitorClientTimer = null;
- MonitorClientFailureCount = 0;
- CrestronEnvironment.Sleep(2000);
- StopMonitorClient();
- StartMonitorClient();
- }
- }
+ if (MonitorClient != null)
+ MonitorClient.Disconnect();
- ///
- /// If the client hangs, add to counter and maybe fire the choke event
- ///
- void MonitorClientHasHungCallback()
+ Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Program stopping. Closing server");
+ KillServer();
+ }
+ }
+
+ //Private event handler method to raise the event that the server is ready to send data after a successful client shared key negotiation
+ void OnServerClientReadyForCommunications(uint clientIndex)
+ {
+ ClientReadyAfterKeyExchange.Add(clientIndex);
+ var handler = ServerClientReadyForCommunications;
+ if (handler != null)
+ handler(this, new GenericTcpServerSocketStatusChangeEventArgs(
+ this, clientIndex, SecureServer.GetServerSocketStatusForSpecificClient(clientIndex)));
+ }
+ #endregion
+
+ #region Monitor Client
+ ///
+ /// Starts the monitor client cycle. Timed wait, then call RunMonitorClient
+ ///
+ void StartMonitorClient()
+ {
+ if (MonitorClientTimer != null)
{
- MonitorClientFailureCount++;
+ return;
+ }
+ MonitorClientTimer = new CTimer(o => RunMonitorClient(), 60000);
+ }
+
+ ///
+ ///
+ ///
+ void RunMonitorClient()
+ {
+ MonitorClient = new GenericSecureTcpIpClient_ForServer(Key + "-MONITOR", "127.0.0.1", Port, 2000);
+ MonitorClient.SharedKeyRequired = this.SharedKeyRequired;
+ MonitorClient.SharedKey = this.SharedKey;
+ MonitorClient.ConnectionHasHungCallback = MonitorClientHasHungCallback;
+ //MonitorClient.ConnectionChange += MonitorClient_ConnectionChange;
+ MonitorClient.ClientReadyForCommunications += MonitorClient_IsReadyForComm;
+
+ Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Starting monitor check");
+
+ MonitorClient.Connect();
+ // From here MonitorCLient either connects or hangs, MonitorClient will call back
+
+ }
+
+ ///
+ ///
+ ///
+ void StopMonitorClient()
+ {
+ if (MonitorClient == null)
+ return;
+
+ MonitorClient.ClientReadyForCommunications -= MonitorClient_IsReadyForComm;
+ MonitorClient.Disconnect();
+ MonitorClient = null;
+ }
+
+ ///
+ /// On monitor connect, restart the operation
+ ///
+ void MonitorClient_IsReadyForComm(object sender, GenericTcpServerClientReadyForcommunicationsEventArgs args)
+ {
+ if (args.IsReady)
+ {
+ Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Monitor client connection success. Disconnecting in 2s");
MonitorClientTimer.Stop();
MonitorClientTimer = null;
+ MonitorClientFailureCount = 0;
+ CrestronEnvironment.Sleep(2000);
StopMonitorClient();
- if (MonitorClientFailureCount < MonitorClientMaxFailureCount)
- {
- Debug.Console(2, this, Debug.ErrorLogLevel.Warning, "Monitor client connection has hung {0} time{1}, maximum {2}",
- MonitorClientFailureCount, MonitorClientFailureCount > 1 ? "s" : "", MonitorClientMaxFailureCount);
- StartMonitorClient();
- }
- else
- {
- Debug.Console(2, this, Debug.ErrorLogLevel.Error,
- "\r***************************\rMonitor client connection has hung a maximum of {0} times. \r***************************",
- MonitorClientMaxFailureCount);
-
- var handler = ServerHasChoked;
- if (handler != null)
- handler();
- // Some external thing is in charge here. Expected reset of program
- }
+ StartMonitorClient();
}
- #endregion
}
+
+ ///
+ /// If the client hangs, add to counter and maybe fire the choke event
+ ///
+ void MonitorClientHasHungCallback()
+ {
+ MonitorClientFailureCount++;
+ MonitorClientTimer.Stop();
+ MonitorClientTimer = null;
+ StopMonitorClient();
+ if (MonitorClientFailureCount < MonitorClientMaxFailureCount)
+ {
+ Debug.Console(2, this, Debug.ErrorLogLevel.Warning, "Monitor client connection has hung {0} time{1}, maximum {2}",
+ MonitorClientFailureCount, MonitorClientFailureCount > 1 ? "s" : "", MonitorClientMaxFailureCount);
+ StartMonitorClient();
+ }
+ else
+ {
+ Debug.Console(2, this, Debug.ErrorLogLevel.Error,
+ "\r***************************\rMonitor client connection has hung a maximum of {0} times. \r***************************",
+ MonitorClientMaxFailureCount);
+
+ var handler = ServerHasChoked;
+ if (handler != null)
+ handler();
+ // Some external thing is in charge here. Expected reset of program
+ }
+ }
+ #endregion
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/Comm/GenericSshClient.cs b/src/PepperDash.Core/Comm/GenericSshClient.cs
index df44ab51..edc89a84 100644
--- a/src/PepperDash.Core/Comm/GenericSshClient.cs
+++ b/src/PepperDash.Core/Comm/GenericSshClient.cs
@@ -9,658 +9,562 @@ using PepperDash.Core.Logging;
using Renci.SshNet;
using Renci.SshNet.Common;
-namespace PepperDash.Core
+namespace PepperDash.Core;
+
+///
+///
+///
+public class GenericSshClient : Device, ISocketStatusWithStreamDebugging, IAutoReconnect
{
+ private const string SPlusKey = "Uninitialized SshClient";
+ ///
+ /// Object to enable stream debugging
+ ///
+ public CommunicationStreamDebugging StreamDebugging { get; private set; }
+
+ ///
+ /// Event that fires when data is received. Delivers args with byte array
+ ///
+ public event EventHandler BytesReceived;
+
+ ///
+ /// Event that fires when data is received. Delivered as text.
+ ///
+ public event EventHandler TextReceived;
+
+ ///
+ /// Event when the connection status changes.
+ ///
+ public event EventHandler ConnectionChange;
+
+ /////
+ /////
+ /////
+ //public event GenericSocketStatusChangeEventDelegate SocketStatusChange;
+
+ ///
+ /// Address of server
+ ///
+ public string Hostname { get; set; }
+
+ ///
+ /// Port on server
+ ///
+ public int Port { get; set; }
+
+ ///
+ /// Username for server
+ ///
+ public string Username { get; set; }
+
+ ///
+ /// And... Password for server. That was worth documenting!
+ ///
+ public string Password { get; set; }
+
+ ///
+ /// True when the server is connected - when status == 2.
+ ///
+ public bool IsConnected
+ {
+ // returns false if no client or not connected
+ get { return Client != null && ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED; }
+ }
+
+ ///
+ /// S+ helper for IsConnected
+ ///
+ public ushort UIsConnected
+ {
+ get { return (ushort)(IsConnected ? 1 : 0); }
+ }
+
///
/// SSH Client
///
- public class GenericSshClient : Device, ISocketStatusWithStreamDebugging, IAutoReconnect
+ public SocketStatus ClientStatus
{
- private const string SPlusKey = "Uninitialized SshClient";
-
- ///
- /// Object to enable stream debugging
- ///
- public CommunicationStreamDebugging StreamDebugging { get; private set; }
-
- ///
- /// Event that fires when data is received. Delivers args with byte array
- ///
- public event EventHandler BytesReceived;
-
- ///
- /// Event that fires when data is received. Delivered as text.
- ///
- public event EventHandler TextReceived;
-
- ///
- /// Event when the connection status changes.
- ///
- public event EventHandler ConnectionChange;
-
- ///
- /// Gets or sets the Hostname
- ///
- public string Hostname { get; set; }
-
- ///
- /// Port on server
- ///
- public int Port { get; set; }
-
- ///
- /// Gets or sets the Username
- ///
- public string Username { get; set; }
-
- ///
- /// Gets or sets the Password
- ///
- public string Password { get; set; }
-
- ///
- /// True when the server is connected - when status == 2.
- ///
- public bool IsConnected
+ get { return _ClientStatus; }
+ private set
{
- // returns false if no client or not connected
- get { return client != null && ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED; }
+ if (_ClientStatus == value)
+ return;
+ _ClientStatus = value;
+ OnConnectionChange();
}
+ }
+ SocketStatus _ClientStatus;
- ///
- /// S+ helper for IsConnected
- ///
- public ushort UIsConnected
- {
- get { return (ushort)(IsConnected ? 1 : 0); }
- }
+ ///
+ /// Contains the familiar Simpl analog status values. This drives the ConnectionChange event
+ /// and IsConnected with be true when this == 2.
+ ///
+ public ushort UStatus
+ {
+ get { return (ushort)_ClientStatus; }
+ }
- ///
- /// Socket status change event
- ///
- public SocketStatus ClientStatus
- {
- get { lock (_stateLock) { return _ClientStatus; } }
- private set
- {
- bool shouldFireEvent = false;
- lock (_stateLock)
+ ///
+ /// Determines whether client will attempt reconnection on failure. Default is true
+ ///
+ public bool AutoReconnect { get; set; }
+
+ ///
+ /// Will be set and unset by connect and disconnect only
+ ///
+ public bool ConnectEnabled { get; private set; }
+
+ ///
+ /// S+ helper for AutoReconnect
+ ///
+ public ushort UAutoReconnect
+ {
+ get { return (ushort)(AutoReconnect ? 1 : 0); }
+ set { AutoReconnect = value == 1; }
+ }
+
+ ///
+ /// Millisecond value, determines the timeout period in between reconnect attempts.
+ /// Set to 5000 by default
+ ///
+ public int AutoReconnectIntervalMs { get; set; }
+
+ SshClient Client;
+
+ ShellStream TheStream;
+
+ CTimer ReconnectTimer;
+
+ //Lock object to prevent simulatneous connect/disconnect operations
+ //private CCriticalSection connectLock = new CCriticalSection();
+ private SemaphoreSlim connectLock = new SemaphoreSlim(1);
+
+ private bool DisconnectLogged = false;
+
+ ///
+ /// Typical constructor.
+ ///
+ public GenericSshClient(string key, string hostname, int port, string username, string password) :
+ base(key)
+ {
+ StreamDebugging = new CommunicationStreamDebugging(key);
+ CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
+ Key = key;
+ Hostname = hostname;
+ Port = port;
+ Username = username;
+ Password = password;
+ AutoReconnectIntervalMs = 5000;
+
+ ReconnectTimer = new CTimer(o =>
{
- if (_ClientStatus != value)
- {
- _ClientStatus = value;
- shouldFireEvent = true;
- }
- }
- // Fire event outside lock to avoid deadlock
- if (shouldFireEvent)
- OnConnectionChange();
- }
- }
-
- private SocketStatus _ClientStatus;
- private bool _ConnectEnabled;
-
- ///
- /// Contains the familiar Simpl analog status values. This drives the ConnectionChange event
- /// and IsConnected with be true when this == 2.
- ///
- public ushort UStatus
- {
- get { lock (_stateLock) { return (ushort)_ClientStatus; } }
- }
-
- ///
- /// Determines whether client will attempt reconnection on failure. Default is true
- ///
- public bool AutoReconnect { get; set; }
-
- ///
- /// Will be set and unset by connect and disconnect only
- ///
- public bool ConnectEnabled
- {
- get { lock (_stateLock) { return _ConnectEnabled; } }
- private set { lock (_stateLock) { _ConnectEnabled = value; } }
- }
-
- ///
- /// S+ helper for AutoReconnect
- ///
- public ushort UAutoReconnect
- {
- get { return (ushort)(AutoReconnect ? 1 : 0); }
- set { AutoReconnect = value == 1; }
- }
-
- ///
- /// Gets or sets the AutoReconnectIntervalMs
- ///
- public int AutoReconnectIntervalMs { get; set; }
-
- private SshClient client;
-
- private ShellStream shellStream;
-
- private readonly Timer reconnectTimer;
-
- //Lock object to prevent simulatneous connect/disconnect operations
- //private CCriticalSection connectLock = new CCriticalSection();
- private readonly SemaphoreSlim connectLock = new SemaphoreSlim(1);
-
- // Thread-safety lock for state changes
- private readonly object _stateLock = new object();
-
- private bool disconnectLogged = false;
-
- ///
- /// When true, turns off echo for the SSH session
- ///
- public bool DisableEcho { get; set; }
-
- ///
- /// Typical constructor.
- ///
- public GenericSshClient(string key, string hostname, int port, string username, string password) :
- base(key)
- {
- StreamDebugging = new CommunicationStreamDebugging(key);
- CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
- Key = key;
- Hostname = hostname;
- Port = port;
- Username = username;
- Password = password;
- AutoReconnectIntervalMs = 5000;
-
- reconnectTimer = new Timer(o =>
- {
- if (ConnectEnabled) // Now thread-safe property access
+ if (ConnectEnabled)
{
Connect();
}
- }, null, System.Threading.Timeout.Infinite, System.Threading.Timeout.Infinite);
+ }, System.Threading.Timeout.Infinite);
+ }
+
+ ///
+ /// S+ Constructor - Must set all properties before calling Connect
+ ///
+ public GenericSshClient()
+ : base(SPlusKey)
+ {
+ CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
+ AutoReconnectIntervalMs = 5000;
+
+ ReconnectTimer = new CTimer(o =>
+ {
+ if (ConnectEnabled)
+ {
+ Connect();
+ }
+ }, System.Threading.Timeout.Infinite);
+ }
+
+ ///
+ /// Handles closing this up when the program shuts down
+ ///
+ void CrestronEnvironment_ProgramStatusEventHandler(eProgramStatusEventType programEventType)
+ {
+ if (programEventType == eProgramStatusEventType.Stopping)
+ {
+ if (Client != null)
+ {
+ this.LogDebug("Program stopping. Closing connection");
+ Disconnect();
+ }
+ }
+ }
+
+ ///
+ /// Connect to the server, using the provided properties.
+ ///
+ public void Connect()
+ {
+ // Don't go unless everything is here
+ if (string.IsNullOrEmpty(Hostname) || Port < 1 || Port > 65535
+ || Username == null || Password == null)
+ {
+ this.LogError("Connect failed. Check hostname, port, username and password are set or not null");
+ return;
}
- ///
- /// S+ Constructor - Must set all properties before calling Connect
- ///
- public GenericSshClient()
- : base(SPlusKey)
- {
- CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
- AutoReconnectIntervalMs = 5000;
+ ConnectEnabled = true;
- reconnectTimer = new Timer(o =>
+ try
+ {
+ connectLock.Wait();
+ if (IsConnected)
{
- if (ConnectEnabled) // Now thread-safe property access
+ this.LogDebug("Connection already connected. Exiting Connect");
+ }
+ else
+ {
+ this.LogDebug("Attempting connect");
+
+ // Cancel reconnect if running.
+ if (ReconnectTimer != null)
{
- Connect();
+ ReconnectTimer.Stop();
}
- }, null, System.Threading.Timeout.Infinite, System.Threading.Timeout.Infinite);
- }
- ///
- /// Handles closing this up when the program shuts down
- ///
- private void CrestronEnvironment_ProgramStatusEventHandler(eProgramStatusEventType programEventType)
- {
- if (programEventType == eProgramStatusEventType.Stopping)
- {
- if (client != null)
+ // Cleanup the old client if it already exists
+ if (Client != null)
{
- this.LogDebug("Program stopping. Closing connection");
- Disconnect();
+ this.LogDebug("Cleaning up disconnected client");
+ KillClient(SocketStatus.SOCKET_STATUS_BROKEN_LOCALLY);
+ }
+
+ // This handles both password and keyboard-interactive (like on OS-X, 'nixes)
+ KeyboardInteractiveAuthenticationMethod kauth = new KeyboardInteractiveAuthenticationMethod(Username);
+ kauth.AuthenticationPrompt += new EventHandler(kauth_AuthenticationPrompt);
+ PasswordAuthenticationMethod pauth = new PasswordAuthenticationMethod(Username, Password);
+
+ this.LogDebug("Creating new SshClient");
+ ConnectionInfo connectionInfo = new ConnectionInfo(Hostname, Port, Username, pauth, kauth);
+ Client = new SshClient(connectionInfo);
+ Client.ErrorOccurred += Client_ErrorOccurred;
+
+ //Attempt to connect
+ ClientStatus = SocketStatus.SOCKET_STATUS_WAITING;
+ try
+ {
+ Client.Connect();
+ TheStream = Client.CreateShellStream("PDTShell", 0, 0, 0, 0, 65534);
+ if (TheStream.DataAvailable)
+ {
+ // empty the buffer if there is data
+ string str = TheStream.Read();
+ }
+ TheStream.DataReceived += Stream_DataReceived;
+ this.LogInformation("Connected");
+ ClientStatus = SocketStatus.SOCKET_STATUS_CONNECTED;
+ DisconnectLogged = false;
+ }
+ catch (SshConnectionException e)
+ {
+ var ie = e.InnerException; // The details are inside!!
+ var errorLogLevel = DisconnectLogged == true ? Debug.ErrorLogLevel.None : Debug.ErrorLogLevel.Error;
+
+ if (ie is SocketException)
+ {
+ this.LogException(ie, "CONNECTION failure: Cannot reach host");
+ }
+
+ if (ie is System.Net.Sockets.SocketException socketException)
+ {
+ this.LogException(ie, "Connection failure: Cannot reach {host} on {port}",
+ Hostname, Port);
+ }
+ if (ie is SshAuthenticationException)
+ {
+ this.LogException(ie, "Authentication failure for username {userName}", Username);
+ }
+ else
+ this.LogException(ie, "Error on connect");
+
+ DisconnectLogged = true;
+ KillClient(SocketStatus.SOCKET_STATUS_CONNECT_FAILED);
+ if (AutoReconnect)
+ {
+ this.LogDebug("Checking autoreconnect: {autoReconnect}, {autoReconnectInterval}ms", AutoReconnect, AutoReconnectIntervalMs);
+ ReconnectTimer.Reset(AutoReconnectIntervalMs);
+ }
+ }
+ catch (SshOperationTimeoutException ex)
+ {
+ this.LogWarning("Connection attempt timed out: {message}", ex.Message);
+
+ DisconnectLogged = true;
+ KillClient(SocketStatus.SOCKET_STATUS_CONNECT_FAILED);
+ if (AutoReconnect)
+ {
+ this.LogDebug("Checking autoreconnect: {0}, {1}ms", AutoReconnect, AutoReconnectIntervalMs);
+ ReconnectTimer.Reset(AutoReconnectIntervalMs);
+ }
+ }
+ catch (Exception e)
+ {
+ var errorLogLevel = DisconnectLogged == true ? Debug.ErrorLogLevel.None : Debug.ErrorLogLevel.Error;
+ this.LogException(e, "Unhandled exception on connect");
+ DisconnectLogged = true;
+ KillClient(SocketStatus.SOCKET_STATUS_CONNECT_FAILED);
+ if (AutoReconnect)
+ {
+ this.LogDebug("Checking autoreconnect: {0}, {1}ms", AutoReconnect, AutoReconnectIntervalMs);
+ ReconnectTimer.Reset(AutoReconnectIntervalMs);
+ }
}
}
}
-
- ///
- /// Connect method
- ///
- public void Connect()
+ finally
{
- // Don't go unless everything is here
- if (string.IsNullOrEmpty(Hostname) || Port < 1 || Port > 65535
- || Username == null || Password == null)
+ connectLock.Release();
+ }
+ }
+
+ ///
+ /// Disconnect method
+ ///
+ public void Disconnect()
+ {
+ ConnectEnabled = false;
+ // Stop trying reconnects, if we are
+ ReconnectTimer.Stop();
+
+ KillClient(SocketStatus.SOCKET_STATUS_BROKEN_LOCALLY);
+ }
+
+ ///
+ /// Kills the stream, cleans up the client and sets it to null
+ ///
+ private void KillClient(SocketStatus status)
+ {
+ KillStream();
+
+ try
+ {
+ if (Client != null)
{
- this.LogError("Connect failed. Check hostname, port, username and password are set or not null");
- return;
+ Client.ErrorOccurred -= Client_ErrorOccurred;
+ Client.Disconnect();
+ Client.Dispose();
+ Client = null;
+ ClientStatus = status;
+ this.LogDebug("Disconnected");
}
+ }
+ catch (Exception ex)
+ {
+ this.LogException(ex, "Exception in Kill Client");
+ }
+ }
- ConnectEnabled = true;
+ ///
+ /// Kills the stream
+ ///
+ void KillStream()
+ {
+ try
+ {
+ if (TheStream != null)
+ {
+ TheStream.DataReceived -= Stream_DataReceived;
+ TheStream.Close();
+ TheStream.Dispose();
+ TheStream = null;
+ this.LogDebug("Disconnected stream");
+ }
+ }
+ catch (Exception ex)
+ {
+ this.LogException(ex, "Exception in Kill Stream:{0}");
+ }
+ }
+ ///
+ /// Handles the keyboard interactive authentication, should it be required.
+ ///
+ void kauth_AuthenticationPrompt(object sender, AuthenticationPromptEventArgs e)
+ {
+ foreach (AuthenticationPrompt prompt in e.Prompts)
+ if (prompt.Request.IndexOf("Password:", StringComparison.InvariantCultureIgnoreCase) != -1)
+ prompt.Response = Password;
+ }
+
+ ///
+ /// Handler for data receive on ShellStream. Passes data across to queue for line parsing.
+ ///
+ void Stream_DataReceived(object sender, ShellDataEventArgs e)
+ {
+ if (((ShellStream)sender).Length <= 0L)
+ {
+ return;
+ }
+ var response = ((ShellStream)sender).Read();
+
+ var bytesHandler = BytesReceived;
+
+ if (bytesHandler != null)
+ {
+ var bytes = Encoding.UTF8.GetBytes(response);
+ if (StreamDebugging.RxStreamDebuggingIsEnabled)
+ {
+ this.LogInformation("Received {1} bytes: '{0}'", ComTextHelper.GetEscapedText(bytes), bytes.Length);
+ }
+ bytesHandler(this, new GenericCommMethodReceiveBytesArgs(bytes));
+ }
+
+ var textHandler = TextReceived;
+ if (textHandler != null)
+ {
+ if (StreamDebugging.RxStreamDebuggingIsEnabled)
+ this.LogInformation("Received: '{0}'", ComTextHelper.GetDebugText(response));
+
+ textHandler(this, new GenericCommMethodReceiveTextArgs(response));
+ }
+
+ }
+
+
+ ///
+ /// Error event handler for client events - disconnect, etc. Will forward those events via ConnectionChange
+ /// event
+ ///
+ void Client_ErrorOccurred(object sender, ExceptionEventArgs e)
+ {
+ CrestronInvoke.BeginInvoke(o =>
+ {
+ if (e.Exception is SshConnectionException || e.Exception is System.Net.Sockets.SocketException)
+ this.LogError("Disconnected by remote");
+ else
+ this.LogException(e.Exception, "Unhandled SSH client error");
try
{
connectLock.Wait();
- if (IsConnected)
- {
- this.LogDebug("Connection already connected. Exiting Connect");
- }
- else
- {
- this.LogDebug("Attempting connect");
-
- // Cancel reconnect if running.
- StopReconnectTimer();
-
- // Cleanup the old client if it already exists
- if (client != null)
- {
- this.LogDebug("Cleaning up disconnected client");
- KillClient(SocketStatus.SOCKET_STATUS_BROKEN_LOCALLY);
- }
-
- // This handles both password and keyboard-interactive (like on OS-X, 'nixes)
- KeyboardInteractiveAuthenticationMethod kauth = new KeyboardInteractiveAuthenticationMethod(Username);
- kauth.AuthenticationPrompt += new EventHandler(kauth_AuthenticationPrompt);
- PasswordAuthenticationMethod pauth = new PasswordAuthenticationMethod(Username, Password);
-
- this.LogDebug("Creating new SshClient");
- ConnectionInfo connectionInfo = new ConnectionInfo(Hostname, Port, Username, pauth, kauth);
- client = new SshClient(connectionInfo);
- client.ErrorOccurred += Client_ErrorOccurred;
-
- //Attempt to connect
- ClientStatus = SocketStatus.SOCKET_STATUS_WAITING;
- try
- {
- client.Connect();
-
- var modes = new Dictionary();
-
- if (DisableEcho)
- {
- modes.Add(TerminalModes.ECHO, 0);
- }
-
- shellStream = client.CreateShellStream("PDTShell", 0, 0, 0, 0, 65534, modes);
- if (shellStream.DataAvailable)
- {
- // empty the buffer if there is data
- shellStream.Read();
- }
- shellStream.DataReceived += Stream_DataReceived;
- this.LogInformation("Connected");
- ClientStatus = SocketStatus.SOCKET_STATUS_CONNECTED;
- disconnectLogged = false;
- }
- catch (SshConnectionException e)
- {
- var ie = e.InnerException; // The details are inside!!
-
- if (ie is SocketException)
- {
- this.LogError("CONNECTION failure: Cannot reach host");
- this.LogVerbose(ie, "Exception details: ");
- }
-
- if (ie is System.Net.Sockets.SocketException socketException)
- {
- this.LogError("Connection failure: Cannot reach {host} on {port}",
- Hostname, Port);
- this.LogVerbose(socketException, "SocketException details: ");
- }
- if (ie is SshAuthenticationException)
- {
- this.LogError("Authentication failure for username {userName}", Username);
- this.LogVerbose(ie, "AuthenticationException details: ");
- }
- else
- {
- this.LogError("Error on connect: {error}", ie.Message);
- this.LogVerbose(ie, "Exception details: ");
- }
-
- disconnectLogged = true;
- KillClient(SocketStatus.SOCKET_STATUS_CONNECT_FAILED);
- if (AutoReconnect)
- {
- this.LogDebug("Checking autoreconnect: {autoReconnect}, {autoReconnectInterval}ms", AutoReconnect, AutoReconnectIntervalMs);
- StartReconnectTimer();
- }
- }
- catch (SshOperationTimeoutException ex)
- {
- this.LogWarning("Connection attempt timed out: {message}", ex.Message);
-
- disconnectLogged = true;
- KillClient(SocketStatus.SOCKET_STATUS_CONNECT_FAILED);
- if (AutoReconnect)
- {
- this.LogDebug("Checking autoreconnect: {0}, {1}ms", AutoReconnect, AutoReconnectIntervalMs);
- StartReconnectTimer();
- }
- }
- catch (Exception e)
- {
- this.LogError("Unhandled exception on connect: {error}", e.Message);
- this.LogVerbose(e, "Exception details: ");
- disconnectLogged = true;
- KillClient(SocketStatus.SOCKET_STATUS_CONNECT_FAILED);
- if (AutoReconnect)
- {
- this.LogDebug("Checking autoreconnect: {0}, {1}ms", AutoReconnect, AutoReconnectIntervalMs);
- StartReconnectTimer();
- }
- }
- }
+ KillClient(SocketStatus.SOCKET_STATUS_BROKEN_REMOTELY);
}
finally
{
connectLock.Release();
}
- }
-
- ///
- /// Disconnect method
- ///
- public void Disconnect()
- {
- ConnectEnabled = false;
- // Stop trying reconnects, if we are
- StopReconnectTimer();
-
- KillClient(SocketStatus.SOCKET_STATUS_BROKEN_LOCALLY);
- }
-
- ///
- /// Kills the stream, cleans up the client and sets it to null
- ///
- private void KillClient(SocketStatus status)
- {
- KillStream();
-
- try
+ if (AutoReconnect && ConnectEnabled)
{
- if (client != null)
- {
- client.ErrorOccurred -= Client_ErrorOccurred;
- client.Disconnect();
- client.Dispose();
- client = null;
- ClientStatus = status;
- this.LogDebug("Disconnected");
- }
+ this.LogDebug("Checking autoreconnect: {0}, {1}ms", AutoReconnect, AutoReconnectIntervalMs);
+ ReconnectTimer.Reset(AutoReconnectIntervalMs);
}
- catch (Exception ex)
- {
- this.LogException(ex, "Exception in Kill Client");
- }
- }
-
- ///
- /// Kills the stream
- ///
- private void KillStream()
- {
- try
- {
- if (shellStream != null)
- {
- shellStream.DataReceived -= Stream_DataReceived;
- shellStream.Close();
- shellStream.Dispose();
- shellStream = null;
- this.LogDebug("Disconnected stream");
- }
- }
- catch (Exception ex)
- {
- this.LogException(ex, "Exception in Kill Stream:{0}");
- }
- }
-
- ///
- /// Handles the keyboard interactive authentication, should it be required.
- ///
- private void kauth_AuthenticationPrompt(object sender, AuthenticationPromptEventArgs e)
- {
- foreach (AuthenticationPrompt prompt in e.Prompts)
- if (prompt.Request.IndexOf("Password:", StringComparison.InvariantCultureIgnoreCase) != -1)
- prompt.Response = Password;
- }
-
- ///
- /// Handler for data receive on ShellStream. Passes data across to queue for line parsing.
- ///
- private void Stream_DataReceived(object sender, ShellDataEventArgs e)
- {
- if (((ShellStream)sender).Length <= 0L)
- {
- return;
- }
- var response = ((ShellStream)sender).Read();
-
- var bytesHandler = BytesReceived;
-
- if (bytesHandler != null)
- {
- var bytes = Encoding.UTF8.GetBytes(response);
- this.PrintReceivedBytes(bytes);
- bytesHandler(this, new GenericCommMethodReceiveBytesArgs(bytes));
- }
-
- var textHandler = TextReceived;
- if (textHandler != null)
- {
- this.PrintReceivedText(response);
-
- textHandler(this, new GenericCommMethodReceiveTextArgs(response));
- }
-
- }
-
-
- ///
- /// Error event handler for client events - disconnect, etc. Will forward those events via ConnectionChange
- /// event
- ///
- private void Client_ErrorOccurred(object sender, ExceptionEventArgs e)
- {
- CrestronInvoke.BeginInvoke(o =>
- {
- if (e.Exception is SshConnectionException || e.Exception is System.Net.Sockets.SocketException)
- this.LogError("Disconnected by remote");
- else
- this.LogException(e.Exception, "Unhandled SSH client error");
- try
- {
- connectLock.Wait();
- KillClient(SocketStatus.SOCKET_STATUS_BROKEN_REMOTELY);
- }
- finally
- {
- connectLock.Release();
- }
- if (AutoReconnect && ConnectEnabled)
- {
- this.LogDebug("Checking autoreconnect: {0}, {1}ms", AutoReconnect, AutoReconnectIntervalMs);
- StartReconnectTimer();
- }
- });
- }
-
- ///
- /// Helper for ConnectionChange event
- ///
- private void OnConnectionChange()
- {
- ConnectionChange?.Invoke(this, new GenericSocketStatusChageEventArgs(this));
- }
-
- #region IBasicCommunication Members
-
- ///
- /// Sends text to the server
- ///
- /// The text to send
- public void SendText(string text)
- {
- try
- {
- if (client != null && shellStream != null && IsConnected)
- {
- this.PrintSentText(text);
-
- shellStream.Write(text);
- shellStream.Flush();
- }
- else
- {
- this.LogDebug("Client is null or disconnected. Cannot Send Text");
- }
- }
- catch (ObjectDisposedException)
- {
- this.LogError("ObjectDisposedException sending '{message}'. Restarting connection...", text.Trim());
-
- KillClient(SocketStatus.SOCKET_STATUS_CONNECT_FAILED);
- StartReconnectTimer();
- }
- catch (Exception ex)
- {
- this.LogException(ex, "Exception sending text: '{message}'", text);
- }
- }
-
- ///
- /// Sends Bytes to the server
- ///
- /// The bytes to send
- public void SendBytes(byte[] bytes)
- {
- try
- {
- if (client != null && shellStream != null && IsConnected)
- {
- this.PrintSentBytes(bytes);
-
- shellStream.Write(bytes, 0, bytes.Length);
- shellStream.Flush();
- }
- else
- {
- this.LogDebug("Client is null or disconnected. Cannot Send Bytes");
- }
- }
- catch (ObjectDisposedException ex)
- {
- this.LogException(ex, "ObjectDisposedException sending {message}", ComTextHelper.GetEscapedText(bytes));
-
- KillClient(SocketStatus.SOCKET_STATUS_CONNECT_FAILED);
- StartReconnectTimer();
- }
- catch (Exception ex)
- {
- this.LogException(ex, "Exception sending {message}", ComTextHelper.GetEscapedText(bytes));
- }
- }
- #endregion
-
- ///
- /// Safely starts the reconnect timer with exception handling
- ///
- private void StartReconnectTimer()
- {
- try
- {
- reconnectTimer?.Change(AutoReconnectIntervalMs, System.Threading.Timeout.Infinite);
- }
- catch (ObjectDisposedException)
- {
- // Timer was disposed, ignore
- this.LogDebug("Attempted to start timer but it was already disposed");
- }
- }
-
- ///
- /// Safely stops the reconnect timer with exception handling
- ///
- private void StopReconnectTimer()
- {
- try
- {
- reconnectTimer?.Change(System.Threading.Timeout.Infinite, System.Threading.Timeout.Infinite);
- }
- catch (ObjectDisposedException)
- {
- // Timer was disposed, ignore
- this.LogDebug("Attempted to stop timer but it was already disposed");
- }
- }
-
- ///
- /// Deactivate method - properly dispose of resources
- ///
- public override bool Deactivate()
- {
- try
- {
- this.LogDebug("Deactivating SSH client - disposing resources");
-
- // Stop trying reconnects
- ConnectEnabled = false;
- StopReconnectTimer();
-
- // Disconnect and cleanup client
- KillClient(SocketStatus.SOCKET_STATUS_BROKEN_LOCALLY);
-
- // Dispose timer
- try
- {
- reconnectTimer?.Dispose();
- }
- catch (ObjectDisposedException)
- {
- // Already disposed, ignore
- }
-
- // Dispose semaphore
- try
- {
- connectLock?.Dispose();
- }
- catch (ObjectDisposedException)
- {
- // Already disposed, ignore
- }
-
- return base.Deactivate();
- }
- catch (Exception ex)
- {
- this.LogException(ex, "Error during SSH client deactivation");
- return false;
- }
- }
-
+ });
}
+ ///
+ /// Helper for ConnectionChange event
+ ///
+ void OnConnectionChange()
+ {
+ if (ConnectionChange != null)
+ ConnectionChange(this, new GenericSocketStatusChageEventArgs(this));
+ }
+
+ #region IBasicCommunication Members
+
+ ///
+ /// Sends text to the server
+ ///
+ ///
+ public void SendText(string text)
+ {
+ try
+ {
+ if (Client != null && TheStream != null && IsConnected)
+ {
+ if (StreamDebugging.TxStreamDebuggingIsEnabled)
+ this.LogInformation(
+ "Sending {length} characters of text: '{text}'",
+ text.Length,
+ ComTextHelper.GetDebugText(text));
+
+ TheStream.Write(text);
+ TheStream.Flush();
+ }
+ else
+ {
+ this.LogDebug("Client is null or disconnected. Cannot Send Text");
+ }
+ }
+ catch (ObjectDisposedException)
+ {
+ this.LogError("ObjectDisposedException sending '{message}'. Restarting connection...", text.Trim());
+
+ KillClient(SocketStatus.SOCKET_STATUS_CONNECT_FAILED);
+ ReconnectTimer.Reset();
+ }
+ catch (Exception ex)
+ {
+ this.LogException(ex, "Exception sending text: '{message}'", text);
+ }
+ }
+
+ ///
+ /// Sends Bytes to the server
+ ///
+ ///
+ public void SendBytes(byte[] bytes)
+ {
+ try
+ {
+ if (Client != null && TheStream != null && IsConnected)
+ {
+ if (StreamDebugging.TxStreamDebuggingIsEnabled)
+ this.LogInformation("Sending {0} bytes: '{1}'", bytes.Length, ComTextHelper.GetEscapedText(bytes));
+
+ TheStream.Write(bytes, 0, bytes.Length);
+ TheStream.Flush();
+ }
+ else
+ {
+ this.LogDebug("Client is null or disconnected. Cannot Send Bytes");
+ }
+ }
+ catch (ObjectDisposedException ex)
+ {
+ this.LogException(ex, "ObjectDisposedException sending {message}", ComTextHelper.GetEscapedText(bytes));
+
+ KillClient(SocketStatus.SOCKET_STATUS_CONNECT_FAILED);
+ ReconnectTimer.Reset();
+ }
+ catch (Exception ex)
+ {
+ this.LogException(ex, "Exception sending {message}", ComTextHelper.GetEscapedText(bytes));
+ }
+ }
+ #endregion
+
//*****************************************************************************************************
//*****************************************************************************************************
///
- /// Represents a SshConnectionChangeEventArgs
+ /// Fired when connection changes
///
public class SshConnectionChangeEventArgs : EventArgs
{
///
/// Connection State
///
- public bool IsConnected { get; private set; }
+ public bool IsConnected { get; private set; }
///
- /// Gets or sets the UIsConnected
+ /// Connection Status represented as a ushort
///
public ushort UIsConnected { get { return (ushort)(Client.IsConnected ? 1 : 0); } }
///
- /// Gets or sets the Client
+ /// The client
///
public GenericSshClient Client { get; private set; }
///
- /// Gets or sets the Status
+ /// Socket Status as represented by
///
public ushort Status { get { return Client.UStatus; } }
@@ -674,7 +578,7 @@ namespace PepperDash.Core
///
/// Connection State
/// The Client
- public SshConnectionChangeEventArgs(bool isConnected, GenericSshClient client)
+ public SshConnectionChangeEventArgs(bool isConnected, GenericSshClient client)
{
IsConnected = isConnected;
Client = client;
diff --git a/src/PepperDash.Core/Comm/GenericTcpIpClient.cs b/src/PepperDash.Core/Comm/GenericTcpIpClient.cs
index 16963099..e880b386 100644
--- a/src/PepperDash.Core/Comm/GenericTcpIpClient.cs
+++ b/src/PepperDash.Core/Comm/GenericTcpIpClient.cs
@@ -9,18 +9,18 @@ using Crestron.SimplSharp.CrestronSockets;
using JsonProperty = NewtonsoftJson::Newtonsoft.Json.JsonPropertyAttribute;
using Required = NewtonsoftJson::Newtonsoft.Json.Required;
-namespace PepperDash.Core
-{
- ///
- /// A class to handle basic TCP/IP communications with a server
- ///
+namespace PepperDash.Core;
+
+///
+/// A class to handle basic TCP/IP communications with a server
+///
public class GenericTcpIpClient : Device, ISocketStatusWithStreamDebugging, IAutoReconnect
- {
- private const string SplusKey = "Uninitialized TcpIpClient";
- ///
- /// Object to enable stream debugging
- ///
- public CommunicationStreamDebugging StreamDebugging { get; private set; }
+{
+ private const string SplusKey = "Uninitialized TcpIpClient";
+ ///
+ /// Object to enable stream debugging
+ ///
+ public CommunicationStreamDebugging StreamDebugging { get; private set; }
///
/// Fires when data is received from the server and returns it as a Byte array
@@ -41,15 +41,15 @@ namespace PepperDash.Core
private string _hostname;
- ///
- /// Address of server
- ///
- public string Hostname
- {
- get
- {
- return _hostname;
- }
+ ///
+ /// Address of server
+ ///
+ public string Hostname
+ {
+ get
+ {
+ return _hostname;
+ }
set
{
@@ -61,77 +61,77 @@ namespace PepperDash.Core
}
}
- ///
- /// Gets or sets the Port
- ///
- public int Port { get; set; }
+ ///
+ /// Port on server
+ ///
+ public int Port { get; set; }
- ///
- /// Another damn S+ helper because S+ seems to treat large port nums as signed ints
- /// which screws up things
- ///
- public ushort UPort
- {
- get { return Convert.ToUInt16(Port); }
- set { Port = Convert.ToInt32(value); }
- }
+ ///
+ /// Another damn S+ helper because S+ seems to treat large port nums as signed ints
+ /// which screws up things
+ ///
+ public ushort UPort
+ {
+ get { return Convert.ToUInt16(Port); }
+ set { Port = Convert.ToInt32(value); }
+ }
- ///
- /// Defaults to 2000
- ///
- public int BufferSize { get; set; }
+ ///
+ /// Defaults to 2000
+ ///
+ public int BufferSize { get; set; }
///
/// The actual client class
///
private TCPClient _client;
- ///
- /// Bool showing if socket is connected
- ///
- public bool IsConnected
+ ///
+ /// Bool showing if socket is connected
+ ///
+ public bool IsConnected
+ {
+ get { return _client != null && _client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED; }
+ }
+
+ ///
+ /// S+ helper for IsConnected
+ ///
+ public ushort UIsConnected
+ {
+ get { return (ushort)(IsConnected ? 1 : 0); }
+ }
+
+ ///
+ /// _client socket status Read only
+ ///
+ public SocketStatus ClientStatus
+ {
+ get
{
- get { return _client != null && _client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED; }
- }
+ return _client == null ? SocketStatus.SOCKET_STATUS_NO_CONNECT : _client.ClientStatus;
+ }
+ }
- ///
- /// S+ helper for IsConnected
- ///
- public ushort UIsConnected
- {
- get { return (ushort)(IsConnected ? 1 : 0); }
- }
+ ///
+ /// Contains the familiar Simpl analog status values. This drives the ConnectionChange event
+ /// and IsConnected would be true when this == 2.
+ ///
+ public ushort UStatus
+ {
+ get { return (ushort)ClientStatus; }
+ }
- ///
- /// _client socket status Read only
- ///
- public SocketStatus ClientStatus
- {
- get
- {
- return _client == null ? SocketStatus.SOCKET_STATUS_NO_CONNECT : _client.ClientStatus;
- }
- }
+ ///
+ /// Status text shows the message associated with socket status
+ ///
+ public string ClientStatusText { get { return ClientStatus.ToString(); } }
- ///
- /// Contains the familiar Simpl analog status values. This drives the ConnectionChange event
- /// and IsConnected would be true when this == 2.
- ///
- public ushort UStatus
- {
- get { return (ushort)ClientStatus; }
- }
-
- ///
- /// Status text shows the message associated with socket status
- ///
- public string ClientStatusText { get { return ClientStatus.ToString(); } }
-
- ///
- /// Ushort representation of client status
- ///
- [Obsolete]
- public ushort UClientStatus { get { return (ushort)ClientStatus; } }
+ ///
+ /// Ushort representation of client status
+ ///
+ [Obsolete]
+ public ushort UClientStatus { get { return (ushort)ClientStatus; } }
///
/// Connection failure reason
@@ -143,14 +143,14 @@ namespace PepperDash.Core
///
public bool AutoReconnect { get; set; }
- ///
- /// S+ helper for AutoReconnect
- ///
- public ushort UAutoReconnect
- {
- get { return (ushort)(AutoReconnect ? 1 : 0); }
- set { AutoReconnect = value == 1; }
- }
+ ///
+ /// S+ helper for AutoReconnect
+ ///
+ public ushort UAutoReconnect
+ {
+ get { return (ushort)(AutoReconnect ? 1 : 0); }
+ set { AutoReconnect = value == 1; }
+ }
///
/// Milliseconds to wait before attempting to reconnect. Defaults to 5000
@@ -170,293 +170,297 @@ namespace PepperDash.Core
get { return _client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED; }
}
- //Lock object to prevent simulatneous connect/disconnect operations
- private CCriticalSection connectLock = new CCriticalSection();
+ //Lock object to prevent simulatneous connect/disconnect operations
+ private CCriticalSection connectLock = new CCriticalSection();
- // private Timer for auto reconnect
- private CTimer RetryTimer;
+ // private Timer for auto reconnect
+ private CTimer RetryTimer;
- ///
- /// Constructor
- ///
- /// unique string to differentiate between instances
- ///
- ///
- ///
+ ///
+ /// Constructor
+ ///
+ /// unique string to differentiate between instances
+ ///
+ ///
+ ///
public GenericTcpIpClient(string key, string address, int port, int bufferSize)
- : base(key)
- {
- StreamDebugging = new CommunicationStreamDebugging(key);
- CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
- AutoReconnectIntervalMs = 5000;
- Hostname = address;
- Port = port;
- BufferSize = bufferSize;
+ : base(key)
+ {
+ StreamDebugging = new CommunicationStreamDebugging(key);
+ CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
+ AutoReconnectIntervalMs = 5000;
+ Hostname = address;
+ Port = port;
+ BufferSize = bufferSize;
- RetryTimer = new CTimer(o =>
- {
- Reconnect();
- }, Timeout.Infinite);
+ RetryTimer = new CTimer(o =>
+ {
+ Reconnect();
+ }, Timeout.Infinite);
+ }
+
+ ///
+ /// Constructor
+ ///
+ ///
+ public GenericTcpIpClient(string key)
+ : base(key)
+ {
+ StreamDebugging = new CommunicationStreamDebugging(key);
+ CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
+ AutoReconnectIntervalMs = 5000;
+ BufferSize = 2000;
+
+ RetryTimer = new CTimer(o =>
+ {
+ Reconnect();
+ }, Timeout.Infinite);
+ }
+
+ ///
+ /// Default constructor for S+
+ ///
+ public GenericTcpIpClient()
+ : base(SplusKey)
+ {
+ StreamDebugging = new CommunicationStreamDebugging(SplusKey);
+ CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
+ AutoReconnectIntervalMs = 5000;
+ BufferSize = 2000;
+
+ RetryTimer = new CTimer(o =>
+ {
+ Reconnect();
+ }, Timeout.Infinite);
+ }
+
+ ///
+ /// Just to help S+ set the key
+ ///
+ public void Initialize(string key)
+ {
+ Key = key;
+ }
+
+ ///
+ /// Handles closing this up when the program shuts down
+ ///
+ void CrestronEnvironment_ProgramStatusEventHandler(eProgramStatusEventType programEventType)
+ {
+ if (programEventType == eProgramStatusEventType.Stopping)
+ {
+ Debug.Console(1, this, "Program stopping. Closing connection");
+ Deactivate();
}
+ }
- ///
- /// Constructor
- ///
- ///
- public GenericTcpIpClient(string key)
- : base(key)
+ ///
+ ///
+ ///
+ ///
+ public override bool Deactivate()
+ {
+ RetryTimer.Stop();
+ RetryTimer.Dispose();
+ if (_client != null)
{
- StreamDebugging = new CommunicationStreamDebugging(key);
- CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
- AutoReconnectIntervalMs = 5000;
- BufferSize = 2000;
-
- RetryTimer = new CTimer(o =>
- {
- Reconnect();
- }, Timeout.Infinite);
+ _client.SocketStatusChange -= this.Client_SocketStatusChange;
+ DisconnectClient();
}
+ return true;
+ }
- ///
- /// Default constructor for S+
- ///
- public GenericTcpIpClient()
- : base(SplusKey)
+ ///
+ /// Attempts to connect to the server
+ ///
+ public void Connect()
+ {
+ if (string.IsNullOrEmpty(Hostname))
{
- StreamDebugging = new CommunicationStreamDebugging(SplusKey);
- CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
- AutoReconnectIntervalMs = 5000;
- BufferSize = 2000;
-
- RetryTimer = new CTimer(o =>
- {
- Reconnect();
- }, Timeout.Infinite);
+ Debug.Console(1, Debug.ErrorLogLevel.Warning, "GenericTcpIpClient '{0}': No address set", Key);
+ return;
}
-
- ///
- /// Initialize method
- ///
- public void Initialize(string key)
+ if (Port < 1 || Port > 65535)
{
- Key = key;
- }
-
- ///
- /// Handles closing this up when the program shuts down
- ///
- void CrestronEnvironment_ProgramStatusEventHandler(eProgramStatusEventType programEventType)
- {
- if (programEventType == eProgramStatusEventType.Stopping)
{
- Debug.Console(1, this, "Program stopping. Closing connection");
- Deactivate();
- }
- }
-
- ///
- ///
- ///
- ///
- ///
- /// Deactivate method
- ///
- public override bool Deactivate()
- {
- RetryTimer.Stop();
- RetryTimer.Dispose();
- if (_client != null)
- {
- _client.SocketStatusChange -= this.Client_SocketStatusChange;
- DisconnectClient();
- }
- return true;
- }
-
- ///
- /// Connect method
- ///
- public void Connect()
- {
- if (string.IsNullOrEmpty(Hostname))
- {
- Debug.Console(1, Debug.ErrorLogLevel.Warning, "GenericTcpIpClient '{0}': No address set", Key);
+ Debug.Console(1, Debug.ErrorLogLevel.Warning, "GenericTcpIpClient '{0}': Invalid port", Key);
return;
}
- if (Port < 1 || Port > 65535)
- {
- {
- Debug.Console(1, Debug.ErrorLogLevel.Warning, "GenericTcpIpClient '{0}': Invalid port", Key);
- return;
- }
- }
-
- try
- {
- connectLock.Enter();
- if (IsConnected)
- {
- Debug.Console(1, this, "Connection already connected. Exiting Connect()");
- }
- else
- {
- //Stop retry timer if running
- RetryTimer.Stop();
- _client = new TCPClient(Hostname, Port, BufferSize);
- _client.SocketStatusChange -= Client_SocketStatusChange;
- _client.SocketStatusChange += Client_SocketStatusChange;
- DisconnectCalledByUser = false;
- _client.ConnectToServerAsync(ConnectToServerCallback);
- }
- }
- finally
- {
- connectLock.Leave();
- }
}
- private void Reconnect()
+ try
{
- if (_client == null)
+ connectLock.Enter();
+ if (IsConnected)
{
- return;
- }
- try
- {
- connectLock.Enter();
- if (IsConnected || DisconnectCalledByUser == true)
- {
- Debug.Console(1, this, "Reconnect no longer needed. Exiting Reconnect()");
- }
- else
- {
- Debug.Console(1, this, "Attempting reconnect now");
- _client.ConnectToServerAsync(ConnectToServerCallback);
- }
- }
- finally
- {
- connectLock.Leave();
- }
- }
-
- ///
- /// Disconnect method
- ///
- public void Disconnect()
- {
- try
- {
- connectLock.Enter();
- DisconnectCalledByUser = true;
-
- // Stop trying reconnects, if we are
- RetryTimer.Stop();
- DisconnectClient();
- }
- finally
- {
- connectLock.Leave();
- }
- }
-
- ///
- /// DisconnectClient method
- ///
- public void DisconnectClient()
- {
- if (_client != null)
- {
- Debug.Console(1, this, "Disconnecting client");
- if (IsConnected)
- _client.DisconnectFromServer();
- }
- }
-
- ///
- /// Callback method for connection attempt
- ///
- ///
- void ConnectToServerCallback(TCPClient c)
- {
- if (c.ClientStatus != SocketStatus.SOCKET_STATUS_CONNECTED)
- {
- Debug.Console(0, this, "Server connection result: {0}", c.ClientStatus);
- WaitAndTryReconnect();
+ Debug.Console(1, this, "Connection already connected. Exiting Connect()");
}
else
{
- Debug.Console(1, this, "Server connection result: {0}", c.ClientStatus);
+ //Stop retry timer if running
+ RetryTimer.Stop();
+ _client = new TCPClient(Hostname, Port, BufferSize);
+ _client.SocketStatusChange -= Client_SocketStatusChange;
+ _client.SocketStatusChange += Client_SocketStatusChange;
+ DisconnectCalledByUser = false;
+ _client.ConnectToServerAsync(ConnectToServerCallback);
}
}
+ finally
+ {
+ connectLock.Leave();
+ }
+ }
- ///
- /// Disconnects, waits and attemtps to connect again
- ///
+ private void Reconnect()
+ {
+ if (_client == null)
+ {
+ return;
+ }
+ try
+ {
+ connectLock.Enter();
+ if (IsConnected || DisconnectCalledByUser == true)
+ {
+ Debug.Console(1, this, "Reconnect no longer needed. Exiting Reconnect()");
+ }
+ else
+ {
+ Debug.Console(1, this, "Attempting reconnect now");
+ _client.ConnectToServerAsync(ConnectToServerCallback);
+ }
+ }
+ finally
+ {
+ connectLock.Leave();
+ }
+ }
+
+ ///
+ /// Attempts to disconnect the client
+ ///
+ public void Disconnect()
+ {
+ try
+ {
+ connectLock.Enter();
+ DisconnectCalledByUser = true;
+
+ // Stop trying reconnects, if we are
+ RetryTimer.Stop();
+ DisconnectClient();
+ }
+ finally
+ {
+ connectLock.Leave();
+ }
+ }
+
+ ///
+ /// Does the actual disconnect business
+ ///
+ public void DisconnectClient()
+ {
+ if (_client != null)
+ {
+ Debug.Console(1, this, "Disconnecting client");
+ if (IsConnected)
+ _client.DisconnectFromServer();
+ }
+ }
+
+ ///
+ /// Callback method for connection attempt
+ ///
+ ///
+ void ConnectToServerCallback(TCPClient c)
+ {
+ if (c.ClientStatus != SocketStatus.SOCKET_STATUS_CONNECTED)
+ {
+ Debug.Console(0, this, "Server connection result: {0}", c.ClientStatus);
+ WaitAndTryReconnect();
+ }
+ else
+ {
+ Debug.Console(1, this, "Server connection result: {0}", c.ClientStatus);
+ }
+ }
+
+ ///
+ /// Disconnects, waits and attemtps to connect again
+ ///
void WaitAndTryReconnect()
+ {
+ CrestronInvoke.BeginInvoke(o =>
{
- CrestronInvoke.BeginInvoke(o =>
+ try
{
- try
+ connectLock.Enter();
+ if (!IsConnected && AutoReconnect && !DisconnectCalledByUser && _client != null)
{
- connectLock.Enter();
- if (!IsConnected && AutoReconnect && !DisconnectCalledByUser && _client != null)
- {
- DisconnectClient();
- Debug.Console(1, this, "Attempting reconnect, status={0}", _client.ClientStatus);
- RetryTimer.Reset(AutoReconnectIntervalMs);
- }
+ DisconnectClient();
+ Debug.Console(1, this, "Attempting reconnect, status={0}", _client.ClientStatus);
+ RetryTimer.Reset(AutoReconnectIntervalMs);
}
- finally
- {
- connectLock.Leave();
- }
- });
- }
-
- ///
- /// Recieves incoming data
- ///
- ///
- ///
- void Receive(TCPClient client, int numBytes)
- {
- if (client != null)
- {
- if (numBytes > 0)
- {
- var bytes = client.IncomingDataBuffer.Take(numBytes).ToArray();
- var bytesHandler = BytesReceived;
- if (bytesHandler != null)
- {
- this.PrintReceivedBytes(bytes);
- bytesHandler(this, new GenericCommMethodReceiveBytesArgs(bytes));
- }
- var textHandler = TextReceived;
- if (textHandler != null)
- {
- var str = Encoding.GetEncoding(28591).GetString(bytes, 0, bytes.Length);
-
- this.PrintReceivedText(str);
-
- textHandler(this, new GenericCommMethodReceiveTextArgs(str));
- }
- }
- client.ReceiveDataAsync(Receive);
}
- }
+ finally
+ {
+ connectLock.Leave();
+ }
+ });
+ }
- ///
- /// SendText method
- ///
- public void SendText(string text)
+ ///
+ /// Recieves incoming data
+ ///
+ ///
+ ///
+ void Receive(TCPClient client, int numBytes)
+ {
+ if (client != null)
{
- var bytes = Encoding.GetEncoding(28591).GetBytes(text);
- // Check debug level before processing byte array
- this.PrintSentText(text);
- if (_client != null)
- _client.SendData(bytes, bytes.Length);
+ if (numBytes > 0)
+ {
+ var bytes = client.IncomingDataBuffer.Take(numBytes).ToArray();
+ var bytesHandler = BytesReceived;
+ if (bytesHandler != null)
+ {
+ if (StreamDebugging.RxStreamDebuggingIsEnabled)
+ {
+ Debug.Console(0, this, "Received {1} bytes: '{0}'", ComTextHelper.GetEscapedText(bytes), bytes.Length);
+ }
+ bytesHandler(this, new GenericCommMethodReceiveBytesArgs(bytes));
+ }
+ var textHandler = TextReceived;
+ if (textHandler != null)
+ {
+ var str = Encoding.GetEncoding(28591).GetString(bytes, 0, bytes.Length);
+
+ if (StreamDebugging.RxStreamDebuggingIsEnabled)
+ {
+ Debug.Console(0, this, "Received {1} characters of text: '{0}'", ComTextHelper.GetDebugText(str), str.Length);
+ }
+
+ textHandler(this, new GenericCommMethodReceiveTextArgs(str));
+ }
+ }
+ client.ReceiveDataAsync(Receive);
}
+ }
+
+ ///
+ /// General send method
+ ///
+ public void SendText(string text)
+ {
+ var bytes = Encoding.GetEncoding(28591).GetBytes(text);
+ // Check debug level before processing byte array
+ if (StreamDebugging.TxStreamDebuggingIsEnabled)
+ Debug.Console(0, this, "Sending {0} characters of text: '{1}'", text.Length, ComTextHelper.GetDebugText(text));
+ if (_client != null)
+ _client.SendData(bytes, bytes.Length);
+ }
///
/// SendEscapedText method
@@ -471,37 +475,35 @@ namespace PepperDash.Core
SendText(unescapedText);
}
- ///
- /// Sends Bytes to the server
- ///
- ///
- ///
- /// SendBytes method
- ///
- public void SendBytes(byte[] bytes)
- {
- this.PrintSentBytes(bytes);
- if (_client != null)
- _client.SendData(bytes, bytes.Length);
- }
+ ///
+ /// Sends Bytes to the server
+ ///
+ ///
+ public void SendBytes(byte[] bytes)
+ {
+ if (StreamDebugging.TxStreamDebuggingIsEnabled)
+ Debug.Console(0, this, "Sending {0} bytes: '{1}'", bytes.Length, ComTextHelper.GetEscapedText(bytes));
+ if (_client != null)
+ _client.SendData(bytes, bytes.Length);
+ }
- ///
- /// Socket Status Change Handler
- ///
- ///
- ///
+ ///
+ /// Socket Status Change Handler
+ ///
+ ///
+ ///
void Client_SocketStatusChange(TCPClient client, SocketStatus clientSocketStatus)
+ {
+ if (clientSocketStatus != SocketStatus.SOCKET_STATUS_CONNECTED)
{
- if (clientSocketStatus != SocketStatus.SOCKET_STATUS_CONNECTED)
- {
- Debug.Console(0, this, "Socket status change {0} ({1})", clientSocketStatus, ClientStatusText);
- WaitAndTryReconnect();
- }
- else
- {
- Debug.Console(1, this, "Socket status change {0} ({1})", clientSocketStatus, ClientStatusText);
- _client.ReceiveDataAsync(Receive);
- }
+ Debug.Console(0, this, "Socket status change {0} ({1})", clientSocketStatus, ClientStatusText);
+ WaitAndTryReconnect();
+ }
+ else
+ {
+ Debug.Console(1, this, "Socket status change {0} ({1})", clientSocketStatus, ClientStatusText);
+ _client.ReceiveDataAsync(Receive);
+ }
var handler = ConnectionChange;
if (handler != null)
@@ -509,31 +511,31 @@ namespace PepperDash.Core
}
}
+///
+/// Configuration properties for TCP/SSH Connections
+///
+ public class TcpSshPropertiesConfig
+ {
///
- /// Represents a TcpSshPropertiesConfig
+ /// Address to connect to
///
- public class TcpSshPropertiesConfig
- {
- ///
- /// Address to connect to
- ///
[JsonProperty(Required = Required.Always)]
- public string Address { get; set; }
-
- ///
- /// Port to connect to
- ///
- [JsonProperty(Required = Required.Always)]
- public int Port { get; set; }
-
- ///
- /// Username credential
- ///
- public string Username { get; set; }
- ///
- /// Gets or sets the Password
- ///
- public string Password { get; set; }
+ public string Address { get; set; }
+
+ ///
+ /// Port to connect to
+ ///
+ [JsonProperty(Required = Required.Always)]
+ public int Port { get; set; }
+
+ ///
+ /// Username credential
+ ///
+ public string Username { get; set; }
+ ///
+ /// Passord credential
+ ///
+ public string Password { get; set; }
///
/// Defaults to 32768
@@ -556,17 +558,16 @@ namespace PepperDash.Core
[JsonProperty("disableSshEcho")]
public bool DisableSshEcho { get; set; }
- ///
- /// Default constructor
- ///
+ ///
+ /// Default constructor
+ ///
public TcpSshPropertiesConfig()
- {
- BufferSize = 32768;
- AutoReconnect = true;
- AutoReconnectIntervalMs = 5000;
- Username = "";
- Password = "";
- DisableSshEcho = false;
- }
- }
-}
+ {
+ BufferSize = 32768;
+ AutoReconnect = true;
+ AutoReconnectIntervalMs = 5000;
+ Username = "";
+ Password = "";
+ }
+
+ }
diff --git a/src/PepperDash.Core/Comm/GenericTcpIpClient_ForServer.cs b/src/PepperDash.Core/Comm/GenericTcpIpClient_ForServer.cs
index 6d4958ca..a1a0887f 100644
--- a/src/PepperDash.Core/Comm/GenericTcpIpClient_ForServer.cs
+++ b/src/PepperDash.Core/Comm/GenericTcpIpClient_ForServer.cs
@@ -19,757 +19,755 @@ using Crestron.SimplSharp;
using Crestron.SimplSharp.CrestronSockets;
using PepperDash.Core.Logging;
-namespace PepperDash.Core
+namespace PepperDash.Core;
+
+///
+/// Generic TCP/IP client for server
+///
+public class GenericTcpIpClient_ForServer : Device, IAutoReconnect
{
///
- /// Generic TCP/IP client for server
+ /// Band aid delegate for choked server
///
- public class GenericTcpIpClient_ForServer : Device, IAutoReconnect
+ internal delegate void ConnectionHasHungCallbackDelegate();
+
+ #region Events
+
+ //public event EventHandler BytesReceived;
+
+ ///
+ /// Notifies of text received
+ ///
+ public event EventHandler TextReceived;
+
+ ///
+ /// Notifies of socket status change
+ ///
+ public event EventHandler ConnectionChange;
+
+
+ ///
+ /// This is something of a band-aid callback. If the client times out during the connection process, because the server
+ /// is stuck, this will fire. It is intended to be used by the Server class monitor client, to help
+ /// keep a watch on the server and reset it if necessary.
+ ///
+ internal ConnectionHasHungCallbackDelegate ConnectionHasHungCallback;
+
+ ///
+ /// For a client with a pre shared key, this will fire after the communication is established and the key exchange is complete. If you require
+ /// a key and subscribe to the socket change event and try to send data on a connection the data sent will interfere with the key exchange and disconnect.
+ ///
+ public event EventHandler ClientReadyForCommunications;
+
+ #endregion
+
+ #region Properties & Variables
+
+ ///
+ /// Address of server
+ ///
+ public string Hostname { get; set; }
+
+ ///
+ /// Port on server
+ ///
+ public int Port { get; set; }
+
+ ///
+ /// S+ helper
+ ///
+ public ushort UPort
{
- ///
- /// Band aid delegate for choked server
- ///
- internal delegate void ConnectionHasHungCallbackDelegate();
+ get { return Convert.ToUInt16(Port); }
+ set { Port = Convert.ToInt32(value); }
+ }
- #region Events
+ ///
+ /// Bool to show whether the server requires a preshared key. This is used in the DynamicTCPServer class
+ ///
+ public bool SharedKeyRequired { get; set; }
- //public event EventHandler BytesReceived;
-
- ///
- /// Notifies of text received
- ///
- public event EventHandler TextReceived;
-
- ///
- /// Notifies of socket status change
- ///
- public event EventHandler ConnectionChange;
-
-
- ///
- /// This is something of a band-aid callback. If the client times out during the connection process, because the server
- /// is stuck, this will fire. It is intended to be used by the Server class monitor client, to help
- /// keep a watch on the server and reset it if necessary.
- ///
- internal ConnectionHasHungCallbackDelegate ConnectionHasHungCallback;
-
- ///
- /// For a client with a pre shared key, this will fire after the communication is established and the key exchange is complete. If you require
- /// a key and subscribe to the socket change event and try to send data on a connection the data sent will interfere with the key exchange and disconnect.
- ///
- public event EventHandler ClientReadyForCommunications;
-
- #endregion
-
- #region Properties & Variables
-
- ///
- /// Address of server
- ///
- public string Hostname { get; set; }
-
- ///
- /// Gets or sets the Port
- ///
- public int Port { get; set; }
-
- ///
- /// S+ helper
- ///
- public ushort UPort
+ ///
+ /// S+ helper for requires shared key bool
+ ///
+ public ushort USharedKeyRequired
+ {
+ set
{
- get { return Convert.ToUInt16(Port); }
- set { Port = Convert.ToInt32(value); }
+ if (value == 1)
+ SharedKeyRequired = true;
+ else
+ SharedKeyRequired = false;
+ }
+ }
+
+ ///
+ /// SharedKey is sent for varification to the server. Shared key can be any text (255 char limit in SIMPL+ Module), but must match the Shared Key on the Server module
+ ///
+ public string SharedKey { get; set; }
+
+ ///
+ /// flag to show the client is waiting for the server to send the shared key
+ ///
+ private bool WaitingForSharedKeyResponse { get; set; }
+
+ ///
+ /// Defaults to 2000
+ ///
+ public int BufferSize { get; set; }
+
+ ///
+ /// Semaphore on connect method
+ ///
+ bool IsTryingToConnect;
+
+ ///
+ /// Bool showing if socket is connected
+ ///
+ public bool IsConnected
+ {
+ get
+ {
+ if (Client != null)
+ return Client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED;
+ else
+ return false;
+ }
+ }
+
+ ///
+ /// S+ helper for IsConnected
+ ///
+ public ushort UIsConnected
+ {
+ get { return (ushort)(IsConnected ? 1 : 0); }
+ }
+
+ ///
+ /// Bool showing if socket is ready for communication after shared key exchange
+ ///
+ public bool IsReadyForCommunication { get; set; }
+
+ ///
+ /// S+ helper for IsReadyForCommunication
+ ///
+ public ushort UIsReadyForCommunication
+ {
+ get { return (ushort)(IsReadyForCommunication ? 1 : 0); }
+ }
+
+ ///
+ /// Client socket status Read only
+ ///
+ public SocketStatus ClientStatus
+ {
+ get
+ {
+ if (Client != null)
+ return Client.ClientStatus;
+ else
+ return SocketStatus.SOCKET_STATUS_NO_CONNECT;
+ }
+ }
+
+ ///
+ /// Contains the familiar Simpl analog status values. This drives the ConnectionChange event
+ /// and IsConnected would be true when this == 2.
+ ///
+ public ushort UStatus
+ {
+ get { return (ushort)ClientStatus; }
+ }
+
+ ///
+ /// Status text shows the message associated with socket status
+ ///
+ public string ClientStatusText { get { return ClientStatus.ToString(); } }
+
+ ///
+ /// bool to track if auto reconnect should be set on the socket
+ ///
+ public bool AutoReconnect { get; set; }
+
+ ///
+ /// S+ helper for AutoReconnect
+ ///
+ public ushort UAutoReconnect
+ {
+ get { return (ushort)(AutoReconnect ? 1 : 0); }
+ set { AutoReconnect = value == 1; }
+ }
+ ///
+ /// Milliseconds to wait before attempting to reconnect. Defaults to 5000
+ ///
+ public int AutoReconnectIntervalMs { get; set; }
+
+ ///
+ /// Flag Set only when the disconnect method is called.
+ ///
+ bool DisconnectCalledByUser;
+
+ ///
+ /// private Timer for auto reconnect
+ ///
+ CTimer RetryTimer;
+
+
+ ///
+ ///
+ ///
+ public bool HeartbeatEnabled { get; set; }
+
+ ///
+ ///
+ ///
+ public ushort UHeartbeatEnabled
+ {
+ get { return (ushort)(HeartbeatEnabled ? 1 : 0); }
+ set { HeartbeatEnabled = value == 1; }
+ }
+
+ ///
+ ///
+ ///
+ public string HeartbeatString = "heartbeat";
+
+ ///
+ ///
+ ///
+ public int HeartbeatInterval = 50000;
+
+ CTimer HeartbeatSendTimer;
+ CTimer HeartbeatAckTimer;
+ ///
+ /// Used to force disconnection on a dead connect attempt
+ ///
+ CTimer ConnectFailTimer;
+ CTimer WaitForSharedKey;
+ private int ConnectionCount;
+ ///
+ /// Internal secure client
+ ///
+ TCPClient Client;
+
+ bool ProgramIsStopping;
+
+ #endregion
+
+ #region Constructors
+
+ ///
+ /// Constructor
+ ///
+ ///
+ ///
+ ///
+ ///
+ public GenericTcpIpClient_ForServer(string key, string address, int port, int bufferSize)
+ : base(key)
+ {
+ CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
+ Hostname = address;
+ Port = port;
+ BufferSize = bufferSize;
+ AutoReconnectIntervalMs = 5000;
+
+ }
+
+ ///
+ /// Constructor for S+
+ ///
+ public GenericTcpIpClient_ForServer()
+ : base("Uninitialized DynamicTcpClient")
+ {
+ CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
+ AutoReconnectIntervalMs = 5000;
+ BufferSize = 2000;
+ }
+ #endregion
+
+ #region Methods
+
+ ///
+ /// Just to help S+ set the key
+ ///
+ public void Initialize(string key)
+ {
+ Key = key;
+ }
+
+ ///
+ /// Handles closing this up when the program shuts down
+ ///
+ void CrestronEnvironment_ProgramStatusEventHandler(eProgramStatusEventType programEventType)
+ {
+ if (programEventType == eProgramStatusEventType.Stopping || programEventType == eProgramStatusEventType.Paused)
+ {
+ Debug.Console(0, this, Debug.ErrorLogLevel.Notice, "Program stopping. Closing Client connection");
+ ProgramIsStopping = true;
+ Disconnect();
}
- ///
- /// Bool to show whether the server requires a preshared key. This is used in the DynamicTCPServer class
- ///
- public bool SharedKeyRequired { get; set; }
+ }
- ///
- /// S+ helper for requires shared key bool
- ///
- public ushort USharedKeyRequired
+ ///
+ /// Connect Method. Will return if already connected. Will write errors if missing address, port, or unique key/name.
+ ///
+ public void Connect()
+ {
+ ConnectionCount++;
+ Debug.Console(2, this, "Attempting connect Count:{0}", ConnectionCount);
+
+
+ if (IsConnected)
{
- set
- {
- if (value == 1)
- SharedKeyRequired = true;
- else
- SharedKeyRequired = false;
- }
+ Debug.Console(0, this, Debug.ErrorLogLevel.Notice, "Already connected. Ignoring.");
+ return;
}
-
- ///
- /// Gets or sets the SharedKey
- ///
- public string SharedKey { get; set; }
-
- ///
- /// flag to show the client is waiting for the server to send the shared key
- ///
- private bool WaitingForSharedKeyResponse { get; set; }
-
- ///
- /// Gets or sets the BufferSize
- ///
- public int BufferSize { get; set; }
-
- ///
- /// Semaphore on connect method
- ///
- bool IsTryingToConnect;
-
- ///
- /// Bool showing if socket is connected
- ///
- public bool IsConnected
+ if (IsTryingToConnect)
{
- get
- {
- if (Client != null)
- return Client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED;
- else
- return false;
- }
+ Debug.Console(0, this, Debug.ErrorLogLevel.Notice, "Already trying to connect. Ignoring.");
+ return;
}
-
- ///
- /// S+ helper for IsConnected
- ///
- public ushort UIsConnected
+ try
{
- get { return (ushort)(IsConnected ? 1 : 0); }
- }
-
- ///
- /// Bool showing if socket is ready for communication after shared key exchange
- ///
- public bool IsReadyForCommunication { get; set; }
-
- ///
- /// S+ helper for IsReadyForCommunication
- ///
- public ushort UIsReadyForCommunication
- {
- get { return (ushort)(IsReadyForCommunication ? 1 : 0); }
- }
-
- ///
- /// Client socket status Read only
- ///
- public SocketStatus ClientStatus
- {
- get
- {
- if (Client != null)
- return Client.ClientStatus;
- else
- return SocketStatus.SOCKET_STATUS_NO_CONNECT;
- }
- }
-
- ///
- /// Contains the familiar Simpl analog status values. This drives the ConnectionChange event
- /// and IsConnected would be true when this == 2.
- ///
- public ushort UStatus
- {
- get { return (ushort)ClientStatus; }
- }
-
- ///
- /// Status text shows the message associated with socket status
- ///
- public string ClientStatusText { get { return ClientStatus.ToString(); } }
-
- ///
- /// bool to track if auto reconnect should be set on the socket
- ///
- public bool AutoReconnect { get; set; }
-
- ///
- /// S+ helper for AutoReconnect
- ///
- public ushort UAutoReconnect
- {
- get { return (ushort)(AutoReconnect ? 1 : 0); }
- set { AutoReconnect = value == 1; }
- }
- ///
- /// Milliseconds to wait before attempting to reconnect. Defaults to 5000
- ///
- public int AutoReconnectIntervalMs { get; set; }
-
- ///
- /// Flag Set only when the disconnect method is called.
- ///
- bool DisconnectCalledByUser;
-
- ///
- /// private Timer for auto reconnect
- ///
- CTimer RetryTimer;
-
-
- ///
- ///
- ///
- public bool HeartbeatEnabled { get; set; }
-
- ///
- ///
- ///
- public ushort UHeartbeatEnabled
- {
- get { return (ushort)(HeartbeatEnabled ? 1 : 0); }
- set { HeartbeatEnabled = value == 1; }
- }
-
- ///
- ///
- ///
- public string HeartbeatString = "heartbeat";
-
- ///
- ///
- ///
- public int HeartbeatInterval = 50000;
-
- CTimer HeartbeatSendTimer;
- CTimer HeartbeatAckTimer;
- ///
- /// Used to force disconnection on a dead connect attempt
- ///
- CTimer ConnectFailTimer;
- CTimer WaitForSharedKey;
- private int ConnectionCount;
- ///
- /// Internal secure client
- ///
- TCPClient Client;
-
- bool ProgramIsStopping;
-
- #endregion
-
- #region Constructors
-
- ///
- /// Constructor
- ///
- ///
- ///
- ///
- ///
- public GenericTcpIpClient_ForServer(string key, string address, int port, int bufferSize)
- : base(key)
- {
- CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
- Hostname = address;
- Port = port;
- BufferSize = bufferSize;
- AutoReconnectIntervalMs = 5000;
-
- }
-
- ///
- /// Constructor for S+
- ///
- public GenericTcpIpClient_ForServer()
- : base("Uninitialized DynamicTcpClient")
- {
- CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
- AutoReconnectIntervalMs = 5000;
- BufferSize = 2000;
- }
- #endregion
-
- #region Methods
-
- ///
- /// Initialize method
- ///
- public void Initialize(string key)
- {
- Key = key;
- }
-
- ///
- /// Handles closing this up when the program shuts down
- ///
- void CrestronEnvironment_ProgramStatusEventHandler(eProgramStatusEventType programEventType)
- {
- if (programEventType == eProgramStatusEventType.Stopping || programEventType == eProgramStatusEventType.Paused)
- {
- Debug.Console(0, this, Debug.ErrorLogLevel.Notice, "Program stopping. Closing Client connection");
- ProgramIsStopping = true;
- Disconnect();
- }
-
- }
-
- ///
- /// Connect method
- ///
- public void Connect()
- {
- ConnectionCount++;
- Debug.Console(2, this, "Attempting connect Count:{0}", ConnectionCount);
-
-
- if (IsConnected)
- {
- Debug.Console(0, this, Debug.ErrorLogLevel.Notice, "Already connected. Ignoring.");
- return;
- }
- if (IsTryingToConnect)
- {
- Debug.Console(0, this, Debug.ErrorLogLevel.Notice, "Already trying to connect. Ignoring.");
- return;
- }
- try
- {
- IsTryingToConnect = true;
- if (RetryTimer != null)
- {
- RetryTimer.Stop();
- RetryTimer = null;
- }
- if (string.IsNullOrEmpty(Hostname))
- {
- Debug.Console(0, this, Debug.ErrorLogLevel.Warning, "DynamicTcpClient: No address set");
- return;
- }
- if (Port < 1 || Port > 65535)
- {
- Debug.Console(0, this, Debug.ErrorLogLevel.Warning, "DynamicTcpClient: Invalid port");
- return;
- }
- if (string.IsNullOrEmpty(SharedKey) && SharedKeyRequired)
- {
- Debug.Console(0, this, Debug.ErrorLogLevel.Warning, "DynamicTcpClient: No Shared Key set");
- return;
- }
-
- // clean up previous client
- if (Client != null)
- {
- Cleanup();
- }
- DisconnectCalledByUser = false;
-
- Client = new TCPClient(Hostname, Port, BufferSize);
- Client.SocketStatusChange += Client_SocketStatusChange;
- if(HeartbeatEnabled)
- Client.SocketSendOrReceiveTimeOutInMs = (HeartbeatInterval * 5);
- Client.AddressClientConnectedTo = Hostname;
- Client.PortNumber = Port;
- // SecureClient = c;
-
- //var timeOfConnect = DateTime.Now.ToString("HH:mm:ss.fff");
-
- ConnectFailTimer = new CTimer(o =>
- {
- Debug.Console(1, this, Debug.ErrorLogLevel.Error, "Connect attempt has not finished after 30sec Count:{0}", ConnectionCount);
- if (IsTryingToConnect)
- {
- IsTryingToConnect = false;
-
- //if (ConnectionHasHungCallback != null)
- //{
- // ConnectionHasHungCallback();
- //}
- //SecureClient.DisconnectFromServer();
- //CheckClosedAndTryReconnect();
- }
- }, 30000);
-
- Debug.Console(2, this, "Making Connection Count:{0}", ConnectionCount);
- Client.ConnectToServerAsync(o =>
- {
- Debug.Console(2, this, "ConnectToServerAsync Count:{0} Ran!", ConnectionCount);
-
- if (ConnectFailTimer != null)
- {
- ConnectFailTimer.Stop();
- }
- IsTryingToConnect = false;
-
- if (o.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
- {
- Debug.Console(2, this, "Client connected to {0} on port {1}", o.AddressClientConnectedTo, o.LocalPortNumberOfClient);
- o.ReceiveDataAsync(Receive);
-
- if (SharedKeyRequired)
- {
- WaitingForSharedKeyResponse = true;
- WaitForSharedKey = new CTimer(timer =>
- {
-
- Debug.Console(1, this, Debug.ErrorLogLevel.Warning, "Shared key exchange timer expired. IsReadyForCommunication={0}", IsReadyForCommunication);
- // Debug.Console(1, this, "Connect attempt failed {0}", c.ClientStatus);
- // This is the only case where we should call DisconectFromServer...Event handeler will trigger the cleanup
- o.DisconnectFromServer();
- //CheckClosedAndTryReconnect();
- //OnClientReadyForcommunications(false); // Should send false event
- }, 15000);
- }
- else
- {
- //CLient connected and shared key is not required so just raise the ready for communication event. if Shared key
- //required this is called by the shared key being negotiated
- if (IsReadyForCommunication == false)
- {
- OnClientReadyForcommunications(true); // Key not required
- }
- }
- }
- else
- {
- Debug.Console(1, this, "Connect attempt failed {0}", o.ClientStatus);
- CheckClosedAndTryReconnect();
- }
- });
- }
- catch (Exception ex)
- {
- Debug.Console(0, this, Debug.ErrorLogLevel.Error, "Client connection exception: {0}", ex.Message);
- IsTryingToConnect = false;
- CheckClosedAndTryReconnect();
- }
- }
-
- ///
- /// Disconnect method
- ///
- public void Disconnect()
- {
- this.LogVerbose("Disconnect Called");
-
- DisconnectCalledByUser = true;
- if (IsConnected)
- {
- Client.DisconnectFromServer();
-
- }
+ IsTryingToConnect = true;
if (RetryTimer != null)
{
RetryTimer.Stop();
RetryTimer = null;
}
- Cleanup();
- }
-
- ///
- /// Internal call to close up client. ALWAYS use this when disconnecting.
- ///
- void Cleanup()
- {
- IsTryingToConnect = false;
+ if (string.IsNullOrEmpty(Hostname))
+ {
+ Debug.Console(0, this, Debug.ErrorLogLevel.Warning, "DynamicTcpClient: No address set");
+ return;
+ }
+ if (Port < 1 || Port > 65535)
+ {
+ Debug.Console(0, this, Debug.ErrorLogLevel.Warning, "DynamicTcpClient: Invalid port");
+ return;
+ }
+ if (string.IsNullOrEmpty(SharedKey) && SharedKeyRequired)
+ {
+ Debug.Console(0, this, Debug.ErrorLogLevel.Warning, "DynamicTcpClient: No Shared Key set");
+ return;
+ }
+ // clean up previous client
if (Client != null)
{
- //SecureClient.DisconnectFromServer();
- Debug.Console(2, this, "Disconnecting Client {0}", DisconnectCalledByUser ? ", Called by user" : "");
- Client.SocketStatusChange -= Client_SocketStatusChange;
- Client.Dispose();
- Client = null;
- }
- if (ConnectFailTimer != null)
- {
- ConnectFailTimer.Stop();
- ConnectFailTimer.Dispose();
- ConnectFailTimer = null;
- }
- }
-
-
- /// ff
- /// Called from Connect failure or Socket Status change if
- /// auto reconnect and socket disconnected (Not disconnected by user)
- ///
- void CheckClosedAndTryReconnect()
- {
- if (Client != null)
- {
- Debug.Console(2, this, "Cleaning up remotely closed/failed connection.");
Cleanup();
}
- if (!DisconnectCalledByUser && AutoReconnect)
+ DisconnectCalledByUser = false;
+
+ Client = new TCPClient(Hostname, Port, BufferSize);
+ Client.SocketStatusChange += Client_SocketStatusChange;
+ if(HeartbeatEnabled)
+ Client.SocketSendOrReceiveTimeOutInMs = (HeartbeatInterval * 5);
+ Client.AddressClientConnectedTo = Hostname;
+ Client.PortNumber = Port;
+ // SecureClient = c;
+
+ //var timeOfConnect = DateTime.Now.ToString("HH:mm:ss.fff");
+
+ ConnectFailTimer = new CTimer(o =>
{
- var halfInterval = AutoReconnectIntervalMs / 2;
- var rndTime = new Random().Next(-halfInterval, halfInterval) + AutoReconnectIntervalMs;
- Debug.Console(2, this, "Attempting reconnect in {0} ms, randomized", rndTime);
- if (RetryTimer != null)
+ Debug.Console(1, this, Debug.ErrorLogLevel.Error, "Connect attempt has not finished after 30sec Count:{0}", ConnectionCount);
+ if (IsTryingToConnect)
{
- RetryTimer.Stop();
- RetryTimer = null;
+ IsTryingToConnect = false;
+
+ //if (ConnectionHasHungCallback != null)
+ //{
+ // ConnectionHasHungCallback();
+ //}
+ //SecureClient.DisconnectFromServer();
+ //CheckClosedAndTryReconnect();
}
- RetryTimer = new CTimer(o => Connect(), rndTime);
- }
- }
+ }, 30000);
- ///
- /// Receive callback
- ///
- ///
- ///
- void Receive(TCPClient client, int numBytes)
- {
- if (numBytes > 0)
+ Debug.Console(2, this, "Making Connection Count:{0}", ConnectionCount);
+ Client.ConnectToServerAsync(o =>
{
- string str = string.Empty;
+ Debug.Console(2, this, "ConnectToServerAsync Count:{0} Ran!", ConnectionCount);
- try
+ if (ConnectFailTimer != null)
{
- var bytes = client.IncomingDataBuffer.Take(numBytes).ToArray();
- str = Encoding.GetEncoding(28591).GetString(bytes, 0, bytes.Length);
- Debug.Console(2, this, "Client Received:\r--------\r{0}\r--------", str);
- if (!string.IsNullOrEmpty(checkHeartbeat(str)))
+ ConnectFailTimer.Stop();
+ }
+ IsTryingToConnect = false;
+
+ if (o.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
+ {
+ Debug.Console(2, this, "Client connected to {0} on port {1}", o.AddressClientConnectedTo, o.LocalPortNumberOfClient);
+ o.ReceiveDataAsync(Receive);
+
+ if (SharedKeyRequired)
{
- if (SharedKeyRequired && str == "SharedKey:")
+ WaitingForSharedKeyResponse = true;
+ WaitForSharedKey = new CTimer(timer =>
{
- Debug.Console(2, this, "Server asking for shared key, sending");
- SendText(SharedKey + "\n");
- }
- else if (SharedKeyRequired && str == "Shared Key Match")
+
+ Debug.Console(1, this, Debug.ErrorLogLevel.Warning, "Shared key exchange timer expired. IsReadyForCommunication={0}", IsReadyForCommunication);
+ // Debug.Console(1, this, "Connect attempt failed {0}", c.ClientStatus);
+ // This is the only case where we should call DisconectFromServer...Event handeler will trigger the cleanup
+ o.DisconnectFromServer();
+ //CheckClosedAndTryReconnect();
+ //OnClientReadyForcommunications(false); // Should send false event
+ }, 15000);
+ }
+ else
+ {
+ //CLient connected and shared key is not required so just raise the ready for communication event. if Shared key
+ //required this is called by the shared key being negotiated
+ if (IsReadyForCommunication == false)
{
- StopWaitForSharedKeyTimer();
- Debug.Console(2, this, "Shared key confirmed. Ready for communication");
- OnClientReadyForcommunications(true); // Successful key exchange
- }
- else
- {
- //var bytesHandler = BytesReceived;
- //if (bytesHandler != null)
- // bytesHandler(this, new GenericCommMethodReceiveBytesArgs(bytes));
- var textHandler = TextReceived;
- if (textHandler != null)
- textHandler(this, new GenericTcpServerCommMethodReceiveTextArgs(str));
+ OnClientReadyForcommunications(true); // Key not required
}
}
}
- catch (Exception ex)
+ else
{
- Debug.Console(1, this, "Error receiving data: {1}. Error: {0}", ex.Message, str);
+ Debug.Console(1, this, "Connect attempt failed {0}", o.ClientStatus);
+ CheckClosedAndTryReconnect();
+ }
+ });
+ }
+ catch (Exception ex)
+ {
+ Debug.Console(0, this, Debug.ErrorLogLevel.Error, "Client connection exception: {0}", ex.Message);
+ IsTryingToConnect = false;
+ CheckClosedAndTryReconnect();
+ }
+ }
+
+ ///
+ ///
+ ///
+ public void Disconnect()
+ {
+ this.LogVerbose("Disconnect Called");
+
+ DisconnectCalledByUser = true;
+ if (IsConnected)
+ {
+ Client.DisconnectFromServer();
+
+ }
+ if (RetryTimer != null)
+ {
+ RetryTimer.Stop();
+ RetryTimer = null;
+ }
+ Cleanup();
+ }
+
+ ///
+ /// Internal call to close up client. ALWAYS use this when disconnecting.
+ ///
+ void Cleanup()
+ {
+ IsTryingToConnect = false;
+
+ if (Client != null)
+ {
+ //SecureClient.DisconnectFromServer();
+ Debug.Console(2, this, "Disconnecting Client {0}", DisconnectCalledByUser ? ", Called by user" : "");
+ Client.SocketStatusChange -= Client_SocketStatusChange;
+ Client.Dispose();
+ Client = null;
+ }
+ if (ConnectFailTimer != null)
+ {
+ ConnectFailTimer.Stop();
+ ConnectFailTimer.Dispose();
+ ConnectFailTimer = null;
+ }
+ }
+
+
+ /// ff
+ /// Called from Connect failure or Socket Status change if
+ /// auto reconnect and socket disconnected (Not disconnected by user)
+ ///
+ void CheckClosedAndTryReconnect()
+ {
+ if (Client != null)
+ {
+ Debug.Console(2, this, "Cleaning up remotely closed/failed connection.");
+ Cleanup();
+ }
+ if (!DisconnectCalledByUser && AutoReconnect)
+ {
+ var halfInterval = AutoReconnectIntervalMs / 2;
+ var rndTime = new Random().Next(-halfInterval, halfInterval) + AutoReconnectIntervalMs;
+ Debug.Console(2, this, "Attempting reconnect in {0} ms, randomized", rndTime);
+ if (RetryTimer != null)
+ {
+ RetryTimer.Stop();
+ RetryTimer = null;
+ }
+ RetryTimer = new CTimer(o => Connect(), rndTime);
+ }
+ }
+
+ ///
+ /// Receive callback
+ ///
+ ///
+ ///
+ void Receive(TCPClient client, int numBytes)
+ {
+ if (numBytes > 0)
+ {
+ string str = string.Empty;
+
+ try
+ {
+ var bytes = client.IncomingDataBuffer.Take(numBytes).ToArray();
+ str = Encoding.GetEncoding(28591).GetString(bytes, 0, bytes.Length);
+ Debug.Console(2, this, "Client Received:\r--------\r{0}\r--------", str);
+ if (!string.IsNullOrEmpty(checkHeartbeat(str)))
+ {
+ if (SharedKeyRequired && str == "SharedKey:")
+ {
+ Debug.Console(2, this, "Server asking for shared key, sending");
+ SendText(SharedKey + "\n");
+ }
+ else if (SharedKeyRequired && str == "Shared Key Match")
+ {
+ StopWaitForSharedKeyTimer();
+ Debug.Console(2, this, "Shared key confirmed. Ready for communication");
+ OnClientReadyForcommunications(true); // Successful key exchange
+ }
+ else
+ {
+ //var bytesHandler = BytesReceived;
+ //if (bytesHandler != null)
+ // bytesHandler(this, new GenericCommMethodReceiveBytesArgs(bytes));
+ var textHandler = TextReceived;
+ if (textHandler != null)
+ textHandler(this, new GenericTcpServerCommMethodReceiveTextArgs(str));
+ }
}
}
- if (client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
- client.ReceiveDataAsync(Receive);
+ catch (Exception ex)
+ {
+ Debug.Console(1, this, "Error receiving data: {1}. Error: {0}", ex.Message, str);
+ }
+ }
+ if (client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
+ client.ReceiveDataAsync(Receive);
+ }
+
+ void HeartbeatStart()
+ {
+ if (HeartbeatEnabled)
+ {
+ Debug.Console(2, this, "Starting Heartbeat");
+ if (HeartbeatSendTimer == null)
+ {
+
+ HeartbeatSendTimer = new CTimer(this.SendHeartbeat, null, HeartbeatInterval, HeartbeatInterval);
+ }
+ if (HeartbeatAckTimer == null)
+ {
+ HeartbeatAckTimer = new CTimer(HeartbeatAckTimerFail, null, (HeartbeatInterval * 2), (HeartbeatInterval * 2));
+ }
}
- void HeartbeatStart()
+ }
+ void HeartbeatStop()
+ {
+
+ if (HeartbeatSendTimer != null)
+ {
+ Debug.Console(2, this, "Stoping Heartbeat Send");
+ HeartbeatSendTimer.Stop();
+ HeartbeatSendTimer = null;
+ }
+ if (HeartbeatAckTimer != null)
+ {
+ Debug.Console(2, this, "Stoping Heartbeat Ack");
+ HeartbeatAckTimer.Stop();
+ HeartbeatAckTimer = null;
+ }
+
+ }
+ void SendHeartbeat(object notused)
+ {
+ this.SendText(HeartbeatString);
+ Debug.Console(2, this, "Sending Heartbeat");
+
+ }
+
+ //private method to check heartbeat requirements and start or reset timer
+ string checkHeartbeat(string received)
+ {
+ try
{
if (HeartbeatEnabled)
{
- Debug.Console(2, this, "Starting Heartbeat");
- if (HeartbeatSendTimer == null)
+ if (!string.IsNullOrEmpty(HeartbeatString))
{
-
- HeartbeatSendTimer = new CTimer(this.SendHeartbeat, null, HeartbeatInterval, HeartbeatInterval);
- }
- if (HeartbeatAckTimer == null)
- {
- HeartbeatAckTimer = new CTimer(HeartbeatAckTimerFail, null, (HeartbeatInterval * 2), (HeartbeatInterval * 2));
- }
- }
-
- }
- void HeartbeatStop()
- {
-
- if (HeartbeatSendTimer != null)
- {
- Debug.Console(2, this, "Stoping Heartbeat Send");
- HeartbeatSendTimer.Stop();
- HeartbeatSendTimer = null;
- }
- if (HeartbeatAckTimer != null)
- {
- Debug.Console(2, this, "Stoping Heartbeat Ack");
- HeartbeatAckTimer.Stop();
- HeartbeatAckTimer = null;
- }
-
- }
- void SendHeartbeat(object notused)
- {
- this.SendText(HeartbeatString);
- Debug.Console(2, this, "Sending Heartbeat");
-
- }
-
- //private method to check heartbeat requirements and start or reset timer
- string checkHeartbeat(string received)
- {
- try
- {
- if (HeartbeatEnabled)
- {
- if (!string.IsNullOrEmpty(HeartbeatString))
+ var remainingText = received.Replace(HeartbeatString, "");
+ var noDelimiter = received.Trim(new char[] { '\r', '\n' });
+ if (noDelimiter.Contains(HeartbeatString))
{
- var remainingText = received.Replace(HeartbeatString, "");
- var noDelimiter = received.Trim(new char[] { '\r', '\n' });
- if (noDelimiter.Contains(HeartbeatString))
+ if (HeartbeatAckTimer != null)
{
- if (HeartbeatAckTimer != null)
- {
- HeartbeatAckTimer.Reset(HeartbeatInterval * 2);
- }
- else
- {
- HeartbeatAckTimer = new CTimer(HeartbeatAckTimerFail, null, (HeartbeatInterval * 2), (HeartbeatInterval * 2));
- }
- Debug.Console(2, this, "Heartbeat Received: {0}, from Server", HeartbeatString);
- return remainingText;
+ HeartbeatAckTimer.Reset(HeartbeatInterval * 2);
}
- }
- }
- }
- catch (Exception ex)
- {
- Debug.Console(1, this, "Error checking heartbeat: {0}", ex.Message);
- }
- return received;
- }
-
-
-
- void HeartbeatAckTimerFail(object o)
- {
- try
- {
-
- if (IsConnected)
- {
- Debug.Console(1, Debug.ErrorLogLevel.Warning, "Heartbeat not received from Server...DISCONNECTING BECAUSE HEARTBEAT REQUIRED IS TRUE");
- SendText("Heartbeat not received by server, closing connection");
- CheckClosedAndTryReconnect();
- }
-
- }
- catch (Exception ex)
- {
- ErrorLog.Error("Heartbeat timeout Error on Client: {0}, {1}", Key, ex);
- }
- }
-
- ///
- ///
- ///
- void StopWaitForSharedKeyTimer()
- {
- if (WaitForSharedKey != null)
- {
- WaitForSharedKey.Stop();
- WaitForSharedKey = null;
- }
- }
-
- ///
- /// SendText method
- ///
- public void SendText(string text)
- {
- if (!string.IsNullOrEmpty(text))
- {
- try
- {
- var bytes = Encoding.GetEncoding(28591).GetBytes(text);
- if (Client != null && Client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
- {
- Client.SendDataAsync(bytes, bytes.Length, (c, n) =>
+ else
{
- // HOW IN THE HELL DO WE CATCH AN EXCEPTION IN SENDING?????
- if (n <= 0)
- {
- Debug.Console(1, Debug.ErrorLogLevel.Warning, "[{0}] Sent zero bytes. Was there an error?", this.Key);
- }
- });
+ HeartbeatAckTimer = new CTimer(HeartbeatAckTimerFail, null, (HeartbeatInterval * 2), (HeartbeatInterval * 2));
+ }
+ Debug.Console(2, this, "Heartbeat Received: {0}, from Server", HeartbeatString);
+ return remainingText;
}
- }
- catch (Exception ex)
- {
- Debug.Console(0, this, "Error sending text: {1}. Error: {0}", ex.Message, text);
- }
+ }
}
}
-
- ///
- /// SendBytes method
- ///
- public void SendBytes(byte[] bytes)
+ catch (Exception ex)
{
- if (bytes.Length > 0)
- {
- try
- {
- if (Client != null && Client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
- Client.SendData(bytes, bytes.Length);
- }
- catch (Exception ex)
- {
- Debug.Console(0, this, "Error sending bytes. Error: {0}", ex.Message);
- }
- }
+ Debug.Console(1, this, "Error checking heartbeat: {0}", ex.Message);
}
+ return received;
+ }
- ///
- /// SocketStatusChange Callback
- ///
- ///
- ///
- void Client_SocketStatusChange(TCPClient client, SocketStatus clientSocketStatus)
+
+
+ void HeartbeatAckTimerFail(object o)
+ {
+ try
{
- if (ProgramIsStopping)
+
+ if (IsConnected)
{
- ProgramIsStopping = false;
- return;
+ Debug.Console(1, Debug.ErrorLogLevel.Warning, "Heartbeat not received from Server...DISCONNECTING BECAUSE HEARTBEAT REQUIRED IS TRUE");
+ SendText("Heartbeat not received by server, closing connection");
+ CheckClosedAndTryReconnect();
}
+
+ }
+ catch (Exception ex)
+ {
+ ErrorLog.Error("Heartbeat timeout Error on Client: {0}, {1}", Key, ex);
+ }
+ }
+
+ ///
+ ///
+ ///
+ void StopWaitForSharedKeyTimer()
+ {
+ if (WaitForSharedKey != null)
+ {
+ WaitForSharedKey.Stop();
+ WaitForSharedKey = null;
+ }
+ }
+
+ ///
+ /// General send method
+ ///
+ public void SendText(string text)
+ {
+ if (!string.IsNullOrEmpty(text))
+ {
try
{
- Debug.Console(2, this, "Socket status change: {0} ({1})", client.ClientStatus, (ushort)(client.ClientStatus));
-
- OnConnectionChange();
-
- // The client could be null or disposed by this time...
- if (Client == null || Client.ClientStatus != SocketStatus.SOCKET_STATUS_CONNECTED)
+ var bytes = Encoding.GetEncoding(28591).GetBytes(text);
+ if (Client != null && Client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
{
- HeartbeatStop();
- OnClientReadyForcommunications(false); // socket has gone low
- CheckClosedAndTryReconnect();
+ Client.SendDataAsync(bytes, bytes.Length, (c, n) =>
+ {
+ // HOW IN THE HELL DO WE CATCH AN EXCEPTION IN SENDING?????
+ if (n <= 0)
+ {
+ Debug.Console(1, Debug.ErrorLogLevel.Warning, "[{0}] Sent zero bytes. Was there an error?", this.Key);
+ }
+ });
}
}
catch (Exception ex)
{
- Debug.Console(1, this, Debug.ErrorLogLevel.Error, "Error in socket status change callback. Error: {0}\r\r{1}", ex, ex.InnerException);
+ Debug.Console(0, this, "Error sending text: {1}. Error: {0}", ex.Message, text);
}
}
-
- ///
- /// Helper for ConnectionChange event
- ///
- void OnConnectionChange()
- {
- var handler = ConnectionChange;
- if (handler != null)
- ConnectionChange(this, new GenericTcpServerSocketStatusChangeEventArgs(this, Client.ClientStatus));
- }
-
- ///
- /// Helper to fire ClientReadyForCommunications event
- ///
- void OnClientReadyForcommunications(bool isReady)
- {
- IsReadyForCommunication = isReady;
- if (this.IsReadyForCommunication) { HeartbeatStart(); }
- var handler = ClientReadyForCommunications;
- if (handler != null)
- handler(this, new GenericTcpServerClientReadyForcommunicationsEventArgs(IsReadyForCommunication));
- }
- #endregion
}
-
-}
\ No newline at end of file
+
+ ///
+ ///
+ ///
+ public void SendBytes(byte[] bytes)
+ {
+ if (bytes.Length > 0)
+ {
+ try
+ {
+ if (Client != null && Client.ClientStatus == SocketStatus.SOCKET_STATUS_CONNECTED)
+ Client.SendData(bytes, bytes.Length);
+ }
+ catch (Exception ex)
+ {
+ Debug.Console(0, this, "Error sending bytes. Error: {0}", ex.Message);
+ }
+ }
+ }
+
+ ///
+ /// SocketStatusChange Callback
+ ///
+ ///
+ ///
+ void Client_SocketStatusChange(TCPClient client, SocketStatus clientSocketStatus)
+ {
+ if (ProgramIsStopping)
+ {
+ ProgramIsStopping = false;
+ return;
+ }
+ try
+ {
+ Debug.Console(2, this, "Socket status change: {0} ({1})", client.ClientStatus, (ushort)(client.ClientStatus));
+
+ OnConnectionChange();
+
+ // The client could be null or disposed by this time...
+ if (Client == null || Client.ClientStatus != SocketStatus.SOCKET_STATUS_CONNECTED)
+ {
+ HeartbeatStop();
+ OnClientReadyForcommunications(false); // socket has gone low
+ CheckClosedAndTryReconnect();
+ }
+ }
+ catch (Exception ex)
+ {
+ Debug.Console(1, this, Debug.ErrorLogLevel.Error, "Error in socket status change callback. Error: {0}\r\r{1}", ex, ex.InnerException);
+ }
+ }
+
+ ///
+ /// Helper for ConnectionChange event
+ ///
+ void OnConnectionChange()
+ {
+ var handler = ConnectionChange;
+ if (handler != null)
+ ConnectionChange(this, new GenericTcpServerSocketStatusChangeEventArgs(this, Client.ClientStatus));
+ }
+
+ ///
+ /// Helper to fire ClientReadyForCommunications event
+ ///
+ void OnClientReadyForcommunications(bool isReady)
+ {
+ IsReadyForCommunication = isReady;
+ if (this.IsReadyForCommunication) { HeartbeatStart(); }
+ var handler = ClientReadyForCommunications;
+ if (handler != null)
+ handler(this, new GenericTcpServerClientReadyForcommunicationsEventArgs(IsReadyForCommunication));
+ }
+ #endregion
+}
diff --git a/src/PepperDash.Core/Comm/GenericTcpIpServer.cs b/src/PepperDash.Core/Comm/GenericTcpIpServer.cs
index 5cec96df..3dce8895 100644
--- a/src/PepperDash.Core/Comm/GenericTcpIpServer.cs
+++ b/src/PepperDash.Core/Comm/GenericTcpIpServer.cs
@@ -17,589 +17,563 @@ using Crestron.SimplSharp;
using Crestron.SimplSharp.CrestronSockets;
using PepperDash.Core.Logging;
-namespace PepperDash.Core
+namespace PepperDash.Core;
+
+///
+/// Generic TCP/IP server device
+///
+public class GenericTcpIpServer : Device
{
+ #region Events
///
- /// Generic TCP/IP server device
+ /// Event for Receiving text
///
- public class GenericTcpIpServer : Device
+ public event EventHandler TextReceived;
+
+ ///
+ /// Event for client connection socket status change
+ ///
+ public event EventHandler ClientConnectionChange;
+
+ ///
+ /// Event for Server State Change
+ ///
+ public event EventHandler ServerStateChange;
+
+ ///
+ /// For a server with a pre shared key, this will fire after the communication is established and the key exchange is complete. If no shared key, this will fire
+ /// after connection is successful. Use this event to know when the client is ready for communication to avoid stepping on shared key.
+ ///
+ public event EventHandler ServerClientReadyForCommunications;
+
+ ///
+ /// A band aid event to notify user that the server has choked.
+ ///
+ public ServerHasChokedCallbackDelegate ServerHasChoked { get; set; }
+
+ ///
+ ///
+ ///
+ public delegate void ServerHasChokedCallbackDelegate();
+
+ #endregion
+
+ #region Properties/Variables
+
+ ///
+ ///
+ ///
+ CCriticalSection ServerCCSection = new CCriticalSection();
+
+
+ ///
+ /// A bandaid client that monitors whether the server is reachable
+ ///
+ GenericTcpIpClient_ForServer MonitorClient;
+
+ ///
+ /// Timer to operate the bandaid monitor client in a loop.
+ ///
+ CTimer MonitorClientTimer;
+
+ ///
+ ///
+ ///
+ int MonitorClientFailureCount;
+
+ ///
+ /// 3 by default
+ ///
+ public int MonitorClientMaxFailureCount { get; set; }
+
+ ///
+ /// Text representation of the Socket Status enum values for the server
+ ///
+ public string Status
{
- #region Events
- ///
- /// Event for Receiving text
- ///
- public event EventHandler TextReceived;
-
- ///
- /// Event for client connection socket status change
- ///
- public event EventHandler ClientConnectionChange;
-
- ///
- /// Event for Server State Change
- ///
- public event EventHandler ServerStateChange;
-
- ///
- /// For a server with a pre shared key, this will fire after the communication is established and the key exchange is complete. If no shared key, this will fire
- /// after connection is successful. Use this event to know when the client is ready for communication to avoid stepping on shared key.
- ///
- public event EventHandler ServerClientReadyForCommunications;
-
- ///
- /// A band aid event to notify user that the server has choked.
- ///
- public ServerHasChokedCallbackDelegate ServerHasChoked { get; set; }
-
- ///
- /// Delegate for ServerHasChokedCallbackDelegate
- ///
- public delegate void ServerHasChokedCallbackDelegate();
-
- #endregion
-
- #region Properties/Variables
-
- ///
- ///
- ///
- CCriticalSection ServerCCSection = new CCriticalSection();
-
-
- ///
- /// A bandaid client that monitors whether the server is reachable
- ///
- GenericTcpIpClient_ForServer MonitorClient;
-
- ///
- /// Timer to operate the bandaid monitor client in a loop.
- ///
- CTimer MonitorClientTimer;
-
- ///
- ///
- ///
- int MonitorClientFailureCount;
-
- ///
- /// Gets or sets the MonitorClientMaxFailureCount
- ///
- public int MonitorClientMaxFailureCount { get; set; }
-
- ///
- /// Text representation of the Socket Status enum values for the server
- ///
- public string Status
+ get
{
- get
- {
- if (myTcpServer != null)
- return myTcpServer.State.ToString();
- return ServerState.SERVER_NOT_LISTENING.ToString();
-
- }
+ if (myTcpServer != null)
+ return myTcpServer.State.ToString();
+ return ServerState.SERVER_NOT_LISTENING.ToString();
}
- ///
- /// Bool showing if socket is connected
- ///
- public bool IsConnected
+ }
+
+ ///
+ /// Bool showing if socket is connected
+ ///
+ public bool IsConnected
+ {
+ get
{
- get
- {
- if (myTcpServer != null)
- return (myTcpServer.State & ServerState.SERVER_CONNECTED) == ServerState.SERVER_CONNECTED;
+ if (myTcpServer != null)
+ return (myTcpServer.State & ServerState.SERVER_CONNECTED) == ServerState.SERVER_CONNECTED;
+ return false;
+
+ //return (Secure ? SecureServer != null : UnsecureServer != null) &&
+ //(Secure ? (SecureServer.State & ServerState.SERVER_CONNECTED) == ServerState.SERVER_CONNECTED :
+ // (UnsecureServer.State & ServerState.SERVER_CONNECTED) == ServerState.SERVER_CONNECTED);
+ }
+ }
+
+ ///
+ /// S+ helper for IsConnected
+ ///
+ public ushort UIsConnected
+ {
+ get { return (ushort)(IsConnected ? 1 : 0); }
+ }
+
+ ///
+ /// Bool showing if socket is connected
+ ///
+ public bool IsListening
+ {
+ get
+ {
+ if (myTcpServer != null)
+ return (myTcpServer.State & ServerState.SERVER_LISTENING) == ServerState.SERVER_LISTENING;
+ else
return false;
-
- //return (Secure ? SecureServer != null : UnsecureServer != null) &&
- //(Secure ? (SecureServer.State & ServerState.SERVER_CONNECTED) == ServerState.SERVER_CONNECTED :
- // (UnsecureServer.State & ServerState.SERVER_CONNECTED) == ServerState.SERVER_CONNECTED);
- }
+ //return (Secure ? SecureServer != null : UnsecureServer != null) &&
+ //(Secure ? (SecureServer.State & ServerState.SERVER_LISTENING) == ServerState.SERVER_LISTENING :
+ // (UnsecureServer.State & ServerState.SERVER_LISTENING) == ServerState.SERVER_LISTENING);
}
+ }
- ///
- /// S+ helper for IsConnected
- ///
- public ushort UIsConnected
+ ///
+ /// S+ helper for IsConnected
+ ///
+ public ushort UIsListening
+ {
+ get { return (ushort)(IsListening ? 1 : 0); }
+ }
+
+ ///
+ /// The maximum number of clients.
+ /// Should be set by parameter in SIMPL+ in the MAIN method, Should not ever need to be configurable
+ ///
+ public ushort MaxClients { get; set; }
+
+ ///
+ /// Number of clients currently connected.
+ ///
+ public ushort NumberOfClientsConnected
+ {
+ get
{
- get { return (ushort)(IsConnected ? 1 : 0); }
+ if (myTcpServer != null)
+ return (ushort)myTcpServer.NumberOfClientsConnected;
+ return 0;
}
+ }
- ///
- /// Bool showing if socket is connected
- ///
- public bool IsListening
+ ///
+ /// Port Server should listen on
+ ///
+ public int Port { get; set; }
+
+ ///
+ /// S+ helper for Port
+ ///
+ public ushort UPort
+ {
+ get { return Convert.ToUInt16(Port); }
+ set { Port = Convert.ToInt32(value); }
+ }
+
+ ///
+ /// Bool to show whether the server requires a preshared key. Must be set the same in the client, and if true shared keys must be identical on server/client
+ ///
+ public bool SharedKeyRequired { get; set; }
+
+ ///
+ /// S+ helper for requires shared key bool
+ ///
+ public ushort USharedKeyRequired
+ {
+ set
{
- get
+ if (value == 1)
+ SharedKeyRequired = true;
+ else
+ SharedKeyRequired = false;
+ }
+ }
+
+ ///
+ /// SharedKey is sent for varification to the server. Shared key can be any text (255 char limit in SIMPL+ Module), but must match the Shared Key on the Server module.
+ /// If SharedKey changes while server is listening or clients are connected, disconnect and stop listening will be called
+ ///
+ public string SharedKey { get; set; }
+
+ ///
+ /// Heartbeat Required bool sets whether server disconnects client if heartbeat is not received
+ ///
+ public bool HeartbeatRequired { get; set; }
+
+ ///
+ /// S+ Helper for Heartbeat Required
+ ///
+ public ushort UHeartbeatRequired
+ {
+ set
+ {
+ if (value == 1)
+ HeartbeatRequired = true;
+ else
+ HeartbeatRequired = false;
+ }
+ }
+
+ ///
+ /// Milliseconds before server expects another heartbeat. Set by property HeartbeatRequiredIntervalInSeconds which is driven from S+
+ ///
+ public int HeartbeatRequiredIntervalMs { get; set; }
+
+ ///
+ /// Simpl+ Heartbeat Analog value in seconds
+ ///
+ public ushort HeartbeatRequiredIntervalInSeconds { set { HeartbeatRequiredIntervalMs = (value * 1000); } }
+
+ ///
+ /// String to Match for heartbeat. If null or empty any string will reset heartbeat timer
+ ///
+ public string HeartbeatStringToMatch { get; set; }
+
+ //private timers for Heartbeats per client
+ Dictionary HeartbeatTimerDictionary = new Dictionary();
+
+ //flags to show the secure server is waiting for client at index to send the shared key
+ List WaitingForSharedKey = new List();
+
+ List ClientReadyAfterKeyExchange = new List();
+
+ ///
+ /// The connected client indexes
+ ///
+ public List ConnectedClientsIndexes = new List();
+
+ ///
+ /// Defaults to 2000
+ ///
+ public int BufferSize { get; set; }
+
+ ///
+ /// Private flag to note that the server has stopped intentionally
+ ///
+ private bool ServerStopped { get; set; }
+
+ //Servers
+ TCPServer myTcpServer;
+
+ ///
+ ///
+ ///
+ bool ProgramIsStopping;
+
+ #endregion
+
+ #region Constructors
+ ///
+ /// constructor S+ Does not accept a key. Use initialze with key to set the debug key on this device. If using with + make sure to set all properties manually.
+ ///
+ public GenericTcpIpServer()
+ : base("Uninitialized Dynamic TCP Server")
+ {
+ HeartbeatRequiredIntervalInSeconds = 15;
+ CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
+ BufferSize = 2000;
+ MonitorClientMaxFailureCount = 3;
+ }
+
+ ///
+ /// constructor with debug key set at instantiation. Make sure to set all properties before listening.
+ ///
+ ///
+ public GenericTcpIpServer(string key)
+ : base("Uninitialized Dynamic TCP Server")
+ {
+ HeartbeatRequiredIntervalInSeconds = 15;
+ CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
+ BufferSize = 2000;
+ MonitorClientMaxFailureCount = 3;
+ Key = key;
+ }
+
+ ///
+ /// Contstructor that sets all properties by calling the initialize method with a config object.
+ ///
+ ///
+ public GenericTcpIpServer(TcpServerConfigObject serverConfigObject)
+ : base("Uninitialized Dynamic TCP Server")
+ {
+ HeartbeatRequiredIntervalInSeconds = 15;
+ CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
+ BufferSize = 2000;
+ MonitorClientMaxFailureCount = 3;
+ Initialize(serverConfigObject);
+ }
+ #endregion
+
+ #region Methods - Server Actions
+ ///
+ /// Disconnects all clients and stops the server
+ ///
+ public void KillServer()
+ {
+ ServerStopped = true;
+ if (MonitorClient != null)
+ {
+ MonitorClient.Disconnect();
+ }
+ DisconnectAllClientsForShutdown();
+ StopListening();
+ }
+
+ ///
+ /// Initialize Key for device using client name from SIMPL+. Called on Listen from SIMPL+
+ ///
+ ///
+ public void Initialize(string key)
+ {
+ Key = key;
+ }
+
+ ///
+ /// Initialze with server configuration object
+ ///
+ ///
+ public void Initialize(TcpServerConfigObject serverConfigObject)
+ {
+ try
+ {
+ if (serverConfigObject != null || string.IsNullOrEmpty(serverConfigObject.Key))
{
- if (myTcpServer != null)
- return (myTcpServer.State & ServerState.SERVER_LISTENING) == ServerState.SERVER_LISTENING;
- else
- return false;
- //return (Secure ? SecureServer != null : UnsecureServer != null) &&
- //(Secure ? (SecureServer.State & ServerState.SERVER_LISTENING) == ServerState.SERVER_LISTENING :
- // (UnsecureServer.State & ServerState.SERVER_LISTENING) == ServerState.SERVER_LISTENING);
+ Key = serverConfigObject.Key;
+ MaxClients = serverConfigObject.MaxClients;
+ Port = serverConfigObject.Port;
+ SharedKeyRequired = serverConfigObject.SharedKeyRequired;
+ SharedKey = serverConfigObject.SharedKey;
+ HeartbeatRequired = serverConfigObject.HeartbeatRequired;
+ HeartbeatRequiredIntervalInSeconds = serverConfigObject.HeartbeatRequiredIntervalInSeconds;
+ HeartbeatStringToMatch = serverConfigObject.HeartbeatStringToMatch;
+ BufferSize = serverConfigObject.BufferSize;
+
}
- }
-
- ///
- /// S+ helper for IsConnected
- ///
- public ushort UIsListening
- {
- get { return (ushort)(IsListening ? 1 : 0); }
- }
-
- ///
- /// The maximum number of clients.
- /// Should be set by parameter in SIMPL+ in the MAIN method, Should not ever need to be configurable
- ///
- public ushort MaxClients { get; set; }
-
- ///
- /// Number of clients currently connected.
- ///
- public ushort NumberOfClientsConnected
- {
- get
- {
- if (myTcpServer != null)
- return (ushort)myTcpServer.NumberOfClientsConnected;
- return 0;
- }
- }
-
- ///
- /// Gets or sets the Port
- ///
- public int Port { get; set; }
-
- ///
- /// S+ helper for Port
- ///
- public ushort UPort
- {
- get { return Convert.ToUInt16(Port); }
- set { Port = Convert.ToInt32(value); }
- }
-
- ///
- /// Bool to show whether the server requires a preshared key. Must be set the same in the client, and if true shared keys must be identical on server/client
- ///
- public bool SharedKeyRequired { get; set; }
-
- ///
- /// S+ helper for requires shared key bool
- ///
- public ushort USharedKeyRequired
- {
- set
- {
- if (value == 1)
- SharedKeyRequired = true;
- else
- SharedKeyRequired = false;
- }
- }
-
- ///
- /// Gets or sets the SharedKey
- ///
- public string SharedKey { get; set; }
-
- ///
- /// Heartbeat Required bool sets whether server disconnects client if heartbeat is not received
- ///
- public bool HeartbeatRequired { get; set; }
-
- ///
- /// S+ Helper for Heartbeat Required
- ///
- public ushort UHeartbeatRequired
- {
- set
- {
- if (value == 1)
- HeartbeatRequired = true;
- else
- HeartbeatRequired = false;
- }
- }
-
- ///
- /// Gets or sets the HeartbeatRequiredIntervalMs
- ///
- public int HeartbeatRequiredIntervalMs { get; set; }
-
- ///
- /// Simpl+ Heartbeat Analog value in seconds
- ///
- public ushort HeartbeatRequiredIntervalInSeconds { set { HeartbeatRequiredIntervalMs = (value * 1000); } }
-
- ///
- /// Gets or sets the HeartbeatStringToMatch
- ///
- public string HeartbeatStringToMatch { get; set; }
-
- //private timers for Heartbeats per client
- Dictionary HeartbeatTimerDictionary = new Dictionary();
-
- //flags to show the secure server is waiting for client at index to send the shared key
- List WaitingForSharedKey = new List();
-
- List ClientReadyAfterKeyExchange = new List();
-
- ///
- /// The connected client indexes
- ///
- public List ConnectedClientsIndexes = new List();
-
- ///
- /// Gets or sets the BufferSize
- ///
- public int BufferSize { get; set; }
-
- ///
- /// Private flag to note that the server has stopped intentionally
- ///
- private bool ServerStopped { get; set; }
-
- //Servers
- TCPServer myTcpServer;
-
- ///
- ///
- ///
- bool ProgramIsStopping;
-
- #endregion
-
- #region Constructors
- ///
- /// constructor S+ Does not accept a key. Use initialze with key to set the debug key on this device. If using with + make sure to set all properties manually.
- ///
- public GenericTcpIpServer()
- : base("Uninitialized Dynamic TCP Server")
- {
- HeartbeatRequiredIntervalInSeconds = 15;
- CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
- BufferSize = 2000;
- MonitorClientMaxFailureCount = 3;
- }
-
- ///
- /// constructor with debug key set at instantiation. Make sure to set all properties before listening.
- ///
- ///
- public GenericTcpIpServer(string key)
- : base("Uninitialized Dynamic TCP Server")
- {
- HeartbeatRequiredIntervalInSeconds = 15;
- CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
- BufferSize = 2000;
- MonitorClientMaxFailureCount = 3;
- Key = key;
- }
-
- ///
- /// Contstructor that sets all properties by calling the initialize method with a config object.
- ///
- ///
- public GenericTcpIpServer(TcpServerConfigObject serverConfigObject)
- : base("Uninitialized Dynamic TCP Server")
- {
- HeartbeatRequiredIntervalInSeconds = 15;
- CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
- BufferSize = 2000;
- MonitorClientMaxFailureCount = 3;
- Initialize(serverConfigObject);
- }
- #endregion
-
- #region Methods - Server Actions
- ///
- /// KillServer method
- ///
- public void KillServer()
- {
- ServerStopped = true;
- if (MonitorClient != null)
- {
- MonitorClient.Disconnect();
- }
- DisconnectAllClientsForShutdown();
- StopListening();
- }
-
- ///
- /// Initialize Key for device using client name from SIMPL+. Called on Listen from SIMPL+
- ///
- ///
- ///
- /// Initialize method
- ///
- public void Initialize(string key)
- {
- Key = key;
- }
-
- ///
- /// Initialze with server configuration object
- ///
- ///
- public void Initialize(TcpServerConfigObject serverConfigObject)
- {
- try
- {
- if (serverConfigObject != null || string.IsNullOrEmpty(serverConfigObject.Key))
- {
- Key = serverConfigObject.Key;
- MaxClients = serverConfigObject.MaxClients;
- Port = serverConfigObject.Port;
- SharedKeyRequired = serverConfigObject.SharedKeyRequired;
- SharedKey = serverConfigObject.SharedKey;
- HeartbeatRequired = serverConfigObject.HeartbeatRequired;
- HeartbeatRequiredIntervalInSeconds = serverConfigObject.HeartbeatRequiredIntervalInSeconds;
- HeartbeatStringToMatch = serverConfigObject.HeartbeatStringToMatch;
- BufferSize = serverConfigObject.BufferSize;
-
- }
- else
- {
- ErrorLog.Error("Could not initialize server with key: {0}", serverConfigObject.Key);
- }
- }
- catch
+ else
{
ErrorLog.Error("Could not initialize server with key: {0}", serverConfigObject.Key);
}
}
-
- ///
- /// Listen method
- ///
- public void Listen()
+ catch
{
- ServerCCSection.Enter();
- try
- {
- if (Port < 1 || Port > 65535)
- {
- Debug.Console(1, this, Debug.ErrorLogLevel.Error, "Server '{0}': Invalid port", Key);
- ErrorLog.Warn(string.Format("Server '{0}': Invalid port", Key));
- return;
- }
- if (string.IsNullOrEmpty(SharedKey) && SharedKeyRequired)
- {
- Debug.Console(1, this, Debug.ErrorLogLevel.Error, "Server '{0}': No Shared Key set", Key);
- ErrorLog.Warn(string.Format("Server '{0}': No Shared Key set", Key));
- return;
- }
- if (IsListening)
- return;
+ ErrorLog.Error("Could not initialize server with key: {0}", serverConfigObject.Key);
+ }
+ }
- if (myTcpServer == null)
- {
- myTcpServer = new TCPServer(Port, MaxClients);
- if(HeartbeatRequired)
- myTcpServer.SocketSendOrReceiveTimeOutInMs = (this.HeartbeatRequiredIntervalMs * 5);
-
+ ///
+ /// Start listening on the specified port
+ ///
+ public void Listen()
+ {
+ ServerCCSection.Enter();
+ try
+ {
+ if (Port < 1 || Port > 65535)
+ {
+ Debug.Console(1, this, Debug.ErrorLogLevel.Error, "Server '{0}': Invalid port", Key);
+ ErrorLog.Warn(string.Format("Server '{0}': Invalid port", Key));
+ return;
+ }
+ if (string.IsNullOrEmpty(SharedKey) && SharedKeyRequired)
+ {
+ Debug.Console(1, this, Debug.ErrorLogLevel.Error, "Server '{0}': No Shared Key set", Key);
+ ErrorLog.Warn(string.Format("Server '{0}': No Shared Key set", Key));
+ return;
+ }
+ if (IsListening)
+ return;
+
+ if (myTcpServer == null)
+ {
+ myTcpServer = new TCPServer(Port, MaxClients);
+ if(HeartbeatRequired)
+ myTcpServer.SocketSendOrReceiveTimeOutInMs = (this.HeartbeatRequiredIntervalMs * 5);
+
// myTcpServer.HandshakeTimeout = 30;
- }
- else
- {
- KillServer();
- myTcpServer.PortNumber = Port;
- }
-
- myTcpServer.SocketStatusChange -= TcpServer_SocketStatusChange;
- myTcpServer.SocketStatusChange += TcpServer_SocketStatusChange;
-
- ServerStopped = false;
- myTcpServer.WaitForConnectionAsync(IPAddress.Any, TcpConnectCallback);
- OnServerStateChange(myTcpServer.State);
- Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "TCP Server Status: {0}, Socket Status: {1}", myTcpServer.State, myTcpServer.ServerSocketStatus);
-
- // StartMonitorClient();
-
-
- ServerCCSection.Leave();
}
- catch (Exception ex)
+ else
{
- ServerCCSection.Leave();
- ErrorLog.Error("{1} Error with Dynamic Server: {0}", ex.ToString(), Key);
+ KillServer();
+ myTcpServer.PortNumber = Port;
}
+
+ myTcpServer.SocketStatusChange -= TcpServer_SocketStatusChange;
+ myTcpServer.SocketStatusChange += TcpServer_SocketStatusChange;
+
+ ServerStopped = false;
+ myTcpServer.WaitForConnectionAsync(IPAddress.Any, TcpConnectCallback);
+ OnServerStateChange(myTcpServer.State);
+ Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "TCP Server Status: {0}, Socket Status: {1}", myTcpServer.State, myTcpServer.ServerSocketStatus);
+
+ // StartMonitorClient();
+
+
+ ServerCCSection.Leave();
}
-
- ///
- /// StopListening method
- ///
- public void StopListening()
+ catch (Exception ex)
{
- try
- {
- Debug.Console(2, this, Debug.ErrorLogLevel.Notice, "Stopping Listener");
- if (myTcpServer != null)
- {
- myTcpServer.Stop();
- Debug.Console(2, this, Debug.ErrorLogLevel.Notice, "Server State: {0}", myTcpServer.State);
- OnServerStateChange(myTcpServer.State);
- }
- ServerStopped = true;
- }
- catch (Exception ex)
- {
- Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error stopping server. Error: {0}", ex);
- }
+ ServerCCSection.Leave();
+ ErrorLog.Error("{1} Error with Dynamic Server: {0}", ex.ToString(), Key);
}
+ }
- ///
- /// Disconnects Client
- ///
- ///
- ///
- /// DisconnectClient method
- ///
- public void DisconnectClient(uint client)
+ ///
+ /// Stop Listening
+ ///
+ public void StopListening()
+ {
+ try
{
- try
- {
- myTcpServer.Disconnect(client);
- Debug.Console(2, this, Debug.ErrorLogLevel.Notice, "Disconnected client index: {0}", client);
- }
- catch (Exception ex)
- {
- Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error Disconnecting client index: {0}. Error: {1}", client, ex);
- }
- }
- ///
- /// DisconnectAllClientsForShutdown method
- ///
- public void DisconnectAllClientsForShutdown()
- {
- Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Disconnecting All Clients");
+ Debug.Console(2, this, Debug.ErrorLogLevel.Notice, "Stopping Listener");
if (myTcpServer != null)
{
- myTcpServer.SocketStatusChange -= TcpServer_SocketStatusChange;
- foreach (var index in ConnectedClientsIndexes.ToList()) // copy it here so that it iterates properly
- {
- var i = index;
- if (!myTcpServer.ClientConnected(index))
- continue;
- try
- {
- myTcpServer.Disconnect(i);
- Debug.Console(2, this, Debug.ErrorLogLevel.Notice, "Disconnected client index: {0}", i);
- }
- catch (Exception ex)
- {
- Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error Disconnecting client index: {0}. Error: {1}", i, ex);
- }
- }
- Debug.Console(2, this, Debug.ErrorLogLevel.Notice, "Server Status: {0}", myTcpServer.ServerSocketStatus);
+ myTcpServer.Stop();
+ Debug.Console(2, this, Debug.ErrorLogLevel.Notice, "Server State: {0}", myTcpServer.State);
+ OnServerStateChange(myTcpServer.State);
}
+ ServerStopped = true;
+ }
+ catch (Exception ex)
+ {
+ Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error stopping server. Error: {0}", ex);
+ }
+ }
- Debug.Console(2, this, Debug.ErrorLogLevel.Notice, "Disconnected All Clients");
- ConnectedClientsIndexes.Clear();
-
- if (!ProgramIsStopping)
+ ///
+ /// Disconnects Client
+ ///
+ ///
+ public void DisconnectClient(uint client)
+ {
+ try
+ {
+ myTcpServer.Disconnect(client);
+ Debug.Console(2, this, Debug.ErrorLogLevel.Notice, "Disconnected client index: {0}", client);
+ }
+ catch (Exception ex)
+ {
+ Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error Disconnecting client index: {0}. Error: {1}", client, ex);
+ }
+ }
+ ///
+ /// Disconnect All Clients
+ ///
+ public void DisconnectAllClientsForShutdown()
+ {
+ Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Disconnecting All Clients");
+ if (myTcpServer != null)
+ {
+ myTcpServer.SocketStatusChange -= TcpServer_SocketStatusChange;
+ foreach (var index in ConnectedClientsIndexes.ToList()) // copy it here so that it iterates properly
{
- OnConnectionChange();
- OnServerStateChange(myTcpServer.State); //State shows both listening and connected
+ var i = index;
+ if (!myTcpServer.ClientConnected(index))
+ continue;
+ try
+ {
+ myTcpServer.Disconnect(i);
+ Debug.Console(2, this, Debug.ErrorLogLevel.Notice, "Disconnected client index: {0}", i);
+ }
+ catch (Exception ex)
+ {
+ Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error Disconnecting client index: {0}. Error: {1}", i, ex);
+ }
}
-
- // var o = new { };
+ Debug.Console(2, this, Debug.ErrorLogLevel.Notice, "Server Status: {0}", myTcpServer.ServerSocketStatus);
}
- ///
- /// Broadcast text from server to all connected clients
- ///
- ///
- ///
- /// BroadcastText method
- ///
- public void BroadcastText(string text)
+ Debug.Console(2, this, Debug.ErrorLogLevel.Notice, "Disconnected All Clients");
+ ConnectedClientsIndexes.Clear();
+
+ if (!ProgramIsStopping)
{
- CCriticalSection CCBroadcast = new CCriticalSection();
- CCBroadcast.Enter();
- try
- {
- if (ConnectedClientsIndexes.Count > 0)
- {
- byte[] b = Encoding.GetEncoding(28591).GetBytes(text);
- foreach (uint i in ConnectedClientsIndexes)
- {
- if (!SharedKeyRequired || (SharedKeyRequired && ClientReadyAfterKeyExchange.Contains(i)))
- {
- SocketErrorCodes error = myTcpServer.SendDataAsync(i, b, b.Length, (x, y, z) => { });
- if (error != SocketErrorCodes.SOCKET_OK && error != SocketErrorCodes.SOCKET_OPERATION_PENDING)
- this.LogError("{error}",error.ToString());
- }
- }
- }
- CCBroadcast.Leave();
- }
- catch (Exception ex)
- {
- CCBroadcast.Leave();
- Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error Broadcasting messages from server. Error: {0}", ex.Message);
- }
+ OnConnectionChange();
+ OnServerStateChange(myTcpServer.State); //State shows both listening and connected
}
- ///
- /// Not sure this is useful in library, maybe Pro??
- ///
- ///
- ///
- ///
- /// SendTextToClient method
- ///
- public void SendTextToClient(string text, uint clientIndex)
+ // var o = new { };
+ }
+
+ ///
+ /// Broadcast text from server to all connected clients
+ ///
+ ///
+ public void BroadcastText(string text)
+ {
+ CCriticalSection CCBroadcast = new CCriticalSection();
+ CCBroadcast.Enter();
+ try
{
- try
+ if (ConnectedClientsIndexes.Count > 0)
{
byte[] b = Encoding.GetEncoding(28591).GetBytes(text);
- if (myTcpServer != null && myTcpServer.GetServerSocketStatusForSpecificClient(clientIndex) == SocketStatus.SOCKET_STATUS_CONNECTED)
+ foreach (uint i in ConnectedClientsIndexes)
{
- if (!SharedKeyRequired || (SharedKeyRequired && ClientReadyAfterKeyExchange.Contains(clientIndex)))
- myTcpServer.SendDataAsync(clientIndex, b, b.Length, (x, y, z) => { });
+ if (!SharedKeyRequired || (SharedKeyRequired && ClientReadyAfterKeyExchange.Contains(i)))
+ {
+ SocketErrorCodes error = myTcpServer.SendDataAsync(i, b, b.Length, (x, y, z) => { });
+ if (error != SocketErrorCodes.SOCKET_OK && error != SocketErrorCodes.SOCKET_OPERATION_PENDING)
+ this.LogError("{error}",error.ToString());
+ }
}
}
- catch (Exception ex)
+ CCBroadcast.Leave();
+ }
+ catch (Exception ex)
+ {
+ CCBroadcast.Leave();
+ Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error Broadcasting messages from server. Error: {0}", ex.Message);
+ }
+ }
+
+ ///
+ /// Not sure this is useful in library, maybe Pro??
+ ///
+ ///
+ ///
+ public void SendTextToClient(string text, uint clientIndex)
+ {
+ try
+ {
+ byte[] b = Encoding.GetEncoding(28591).GetBytes(text);
+ if (myTcpServer != null && myTcpServer.GetServerSocketStatusForSpecificClient(clientIndex) == SocketStatus.SOCKET_STATUS_CONNECTED)
{
- Debug.Console(2, this, "Error sending text to client. Text: {1}. Error: {0}", ex.Message, text);
+ if (!SharedKeyRequired || (SharedKeyRequired && ClientReadyAfterKeyExchange.Contains(clientIndex)))
+ myTcpServer.SendDataAsync(clientIndex, b, b.Length, (x, y, z) => { });
}
}
-
- //private method to check heartbeat requirements and start or reset timer
- string checkHeartbeat(uint clientIndex, string received)
+ catch (Exception ex)
{
- try
+ Debug.Console(2, this, "Error sending text to client. Text: {1}. Error: {0}", ex.Message, text);
+ }
+ }
+
+ //private method to check heartbeat requirements and start or reset timer
+ string checkHeartbeat(uint clientIndex, string received)
+ {
+ try
+ {
+ if (HeartbeatRequired)
{
- if (HeartbeatRequired)
+ if (!string.IsNullOrEmpty(HeartbeatStringToMatch))
{
- if (!string.IsNullOrEmpty(HeartbeatStringToMatch))
- {
- var remainingText = received.Replace(HeartbeatStringToMatch, "");
- var noDelimiter = received.Trim(new char[] { '\r', '\n' });
- if (noDelimiter.Contains(HeartbeatStringToMatch))
- {
- if (HeartbeatTimerDictionary.ContainsKey(clientIndex))
- HeartbeatTimerDictionary[clientIndex].Reset(HeartbeatRequiredIntervalMs);
- else
- {
- CTimer HeartbeatTimer = new CTimer(HeartbeatTimer_CallbackFunction, clientIndex, HeartbeatRequiredIntervalMs);
- HeartbeatTimerDictionary.Add(clientIndex, HeartbeatTimer);
- }
- Debug.Console(1, this, "Heartbeat Received: {0}, from client index: {1}", HeartbeatStringToMatch, clientIndex);
- // Return Heartbeat
- SendTextToClient(HeartbeatStringToMatch, clientIndex);
- return remainingText;
- }
- }
- else
+ var remainingText = received.Replace(HeartbeatStringToMatch, "");
+ var noDelimiter = received.Trim(new char[] { '\r', '\n' });
+ if (noDelimiter.Contains(HeartbeatStringToMatch))
{
if (HeartbeatTimerDictionary.ContainsKey(clientIndex))
HeartbeatTimerDictionary[clientIndex].Reset(HeartbeatRequiredIntervalMs);
@@ -608,200 +582,212 @@ namespace PepperDash.Core
CTimer HeartbeatTimer = new CTimer(HeartbeatTimer_CallbackFunction, clientIndex, HeartbeatRequiredIntervalMs);
HeartbeatTimerDictionary.Add(clientIndex, HeartbeatTimer);
}
- Debug.Console(1, this, "Heartbeat Received: {0}, from client index: {1}", received, clientIndex);
+ Debug.Console(1, this, "Heartbeat Received: {0}, from client index: {1}", HeartbeatStringToMatch, clientIndex);
+ // Return Heartbeat
+ SendTextToClient(HeartbeatStringToMatch, clientIndex);
+ return remainingText;
}
}
- }
- catch (Exception ex)
- {
- Debug.Console(1, this, "Error checking heartbeat: {0}", ex.Message);
- }
- return received;
- }
-
- ///
- /// Gets the IP address based on the client index
- ///
- ///
- /// IP address of the client
- ///
- /// GetClientIPAddress method
- ///
- public string GetClientIPAddress(uint clientIndex)
- {
- Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "GetClientIPAddress Index: {0}", clientIndex);
- if (!SharedKeyRequired || (SharedKeyRequired && ClientReadyAfterKeyExchange.Contains(clientIndex)))
- {
- var ipa = this.myTcpServer.GetAddressServerAcceptedConnectionFromForSpecificClient(clientIndex);
- Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "GetClientIPAddress IPAddreess: {0}", ipa);
- return ipa;
-
- }
- else
- {
- return "";
+ else
+ {
+ if (HeartbeatTimerDictionary.ContainsKey(clientIndex))
+ HeartbeatTimerDictionary[clientIndex].Reset(HeartbeatRequiredIntervalMs);
+ else
+ {
+ CTimer HeartbeatTimer = new CTimer(HeartbeatTimer_CallbackFunction, clientIndex, HeartbeatRequiredIntervalMs);
+ HeartbeatTimerDictionary.Add(clientIndex, HeartbeatTimer);
+ }
+ Debug.Console(1, this, "Heartbeat Received: {0}, from client index: {1}", received, clientIndex);
+ }
}
}
-
- #endregion
-
- #region Methods - HeartbeatTimer Callback
-
- void HeartbeatTimer_CallbackFunction(object o)
+ catch (Exception ex)
{
- uint clientIndex = 99999;
- string address = string.Empty;
- try
+ Debug.Console(1, this, "Error checking heartbeat: {0}", ex.Message);
+ }
+ return received;
+ }
+
+ ///
+ /// Gets the IP address based on the client index
+ ///
+ ///
+ /// IP address of the client
+ public string GetClientIPAddress(uint clientIndex)
+ {
+ Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "GetClientIPAddress Index: {0}", clientIndex);
+ if (!SharedKeyRequired || (SharedKeyRequired && ClientReadyAfterKeyExchange.Contains(clientIndex)))
+ {
+ var ipa = this.myTcpServer.GetAddressServerAcceptedConnectionFromForSpecificClient(clientIndex);
+ Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "GetClientIPAddress IPAddreess: {0}", ipa);
+ return ipa;
+
+ }
+ else
+ {
+ return "";
+ }
+ }
+
+ #endregion
+
+ #region Methods - HeartbeatTimer Callback
+
+ void HeartbeatTimer_CallbackFunction(object o)
+ {
+ uint clientIndex = 99999;
+ string address = string.Empty;
+ try
+ {
+ clientIndex = (uint)o;
+ address = myTcpServer.GetAddressServerAcceptedConnectionFromForSpecificClient(clientIndex);
+
+ Debug.Console(1, this, Debug.ErrorLogLevel.Warning, "Heartbeat not received for Client index {2} IP: {0}, DISCONNECTING BECAUSE HEARTBEAT REQUIRED IS TRUE {1}",
+ address, string.IsNullOrEmpty(HeartbeatStringToMatch) ? "" : ("HeartbeatStringToMatch: " + HeartbeatStringToMatch), clientIndex);
+
+ if (myTcpServer.GetServerSocketStatusForSpecificClient(clientIndex) == SocketStatus.SOCKET_STATUS_CONNECTED)
+ SendTextToClient("Heartbeat not received by server, closing connection", clientIndex);
+
+ var discoResult = myTcpServer.Disconnect(clientIndex);
+ //Debug.Console(1, this, "{0}", discoResult);
+
+ if (HeartbeatTimerDictionary.ContainsKey(clientIndex))
{
- clientIndex = (uint)o;
- address = myTcpServer.GetAddressServerAcceptedConnectionFromForSpecificClient(clientIndex);
+ HeartbeatTimerDictionary[clientIndex].Stop();
+ HeartbeatTimerDictionary[clientIndex].Dispose();
+ HeartbeatTimerDictionary.Remove(clientIndex);
+ }
+ }
+ catch (Exception ex)
+ {
+ ErrorLog.Error("{3}: Heartbeat timeout Error on Client Index: {0}, at address: {1}, error: {2}", clientIndex, address, ex.Message, Key);
+ }
+ }
- Debug.Console(1, this, Debug.ErrorLogLevel.Warning, "Heartbeat not received for Client index {2} IP: {0}, DISCONNECTING BECAUSE HEARTBEAT REQUIRED IS TRUE {1}",
- address, string.IsNullOrEmpty(HeartbeatStringToMatch) ? "" : ("HeartbeatStringToMatch: " + HeartbeatStringToMatch), clientIndex);
+ #endregion
- if (myTcpServer.GetServerSocketStatusForSpecificClient(clientIndex) == SocketStatus.SOCKET_STATUS_CONNECTED)
- SendTextToClient("Heartbeat not received by server, closing connection", clientIndex);
+ #region Methods - Socket Status Changed Callbacks
+ ///
+ /// Secure Server Socket Status Changed Callback
+ ///
+ ///
+ ///
+ ///
+ void TcpServer_SocketStatusChange(TCPServer server, uint clientIndex, SocketStatus serverSocketStatus)
+ {
+ try
+ {
- var discoResult = myTcpServer.Disconnect(clientIndex);
- //Debug.Console(1, this, "{0}", discoResult);
-
- if (HeartbeatTimerDictionary.ContainsKey(clientIndex))
+ Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "SecureServerSocketStatusChange Index:{0} status:{1} Port:{2} IP:{3}", clientIndex, serverSocketStatus, this.myTcpServer.GetPortNumberServerAcceptedConnectionFromForSpecificClient(clientIndex), this.myTcpServer.GetLocalAddressServerAcceptedConnectionFromForSpecificClient(clientIndex));
+ if (serverSocketStatus != SocketStatus.SOCKET_STATUS_CONNECTED)
+ {
+ if (ConnectedClientsIndexes.Contains(clientIndex))
+ ConnectedClientsIndexes.Remove(clientIndex);
+ if (HeartbeatRequired && HeartbeatTimerDictionary.ContainsKey(clientIndex))
{
HeartbeatTimerDictionary[clientIndex].Stop();
HeartbeatTimerDictionary[clientIndex].Dispose();
HeartbeatTimerDictionary.Remove(clientIndex);
}
- }
- catch (Exception ex)
- {
- ErrorLog.Error("{3}: Heartbeat timeout Error on Client Index: {0}, at address: {1}, error: {2}", clientIndex, address, ex.Message, Key);
- }
- }
-
- #endregion
-
- #region Methods - Socket Status Changed Callbacks
- ///
- /// Secure Server Socket Status Changed Callback
- ///
- ///
- ///
- ///
- void TcpServer_SocketStatusChange(TCPServer server, uint clientIndex, SocketStatus serverSocketStatus)
- {
- try
- {
-
- Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "SecureServerSocketStatusChange Index:{0} status:{1} Port:{2} IP:{3}", clientIndex, serverSocketStatus, this.myTcpServer.GetPortNumberServerAcceptedConnectionFromForSpecificClient(clientIndex), this.myTcpServer.GetLocalAddressServerAcceptedConnectionFromForSpecificClient(clientIndex));
- if (serverSocketStatus != SocketStatus.SOCKET_STATUS_CONNECTED)
- {
- if (ConnectedClientsIndexes.Contains(clientIndex))
- ConnectedClientsIndexes.Remove(clientIndex);
- if (HeartbeatRequired && HeartbeatTimerDictionary.ContainsKey(clientIndex))
- {
- HeartbeatTimerDictionary[clientIndex].Stop();
- HeartbeatTimerDictionary[clientIndex].Dispose();
- HeartbeatTimerDictionary.Remove(clientIndex);
- }
- if (ClientReadyAfterKeyExchange.Contains(clientIndex))
- ClientReadyAfterKeyExchange.Remove(clientIndex);
+ if (ClientReadyAfterKeyExchange.Contains(clientIndex))
+ ClientReadyAfterKeyExchange.Remove(clientIndex);
if (WaitingForSharedKey.Contains(clientIndex))
WaitingForSharedKey.Remove(clientIndex);
- }
- }
- catch (Exception ex)
- {
- Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error in Socket Status Change Callback. Error: {0}", ex);
- }
- onConnectionChange(clientIndex, server.GetServerSocketStatusForSpecificClient(clientIndex));
- }
-
- #endregion
-
- #region Methods Connected Callbacks
- ///
- /// Secure TCP Client Connected to Secure Server Callback
- ///
- ///
- ///
- void TcpConnectCallback(TCPServer server, uint clientIndex)
- {
- try
- {
- Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "ConnectCallback: IPAddress: {0}. Index: {1}. Status: {2}",
- server.GetAddressServerAcceptedConnectionFromForSpecificClient(clientIndex),
- clientIndex, server.GetServerSocketStatusForSpecificClient(clientIndex));
- if (clientIndex != 0)
- {
- if (server.ClientConnected(clientIndex))
- {
-
- if (!ConnectedClientsIndexes.Contains(clientIndex))
- {
- ConnectedClientsIndexes.Add(clientIndex);
- }
- if (SharedKeyRequired)
- {
- if (!WaitingForSharedKey.Contains(clientIndex))
- {
- WaitingForSharedKey.Add(clientIndex);
- }
- byte[] b = Encoding.GetEncoding(28591).GetBytes("SharedKey:");
- server.SendDataAsync(clientIndex, b, b.Length, (x, y, z) => { });
- Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Sent Shared Key Request to client at {0}", server.GetAddressServerAcceptedConnectionFromForSpecificClient(clientIndex));
- }
- else
- {
- OnServerClientReadyForCommunications(clientIndex);
- }
- if (HeartbeatRequired)
- {
- if (!HeartbeatTimerDictionary.ContainsKey(clientIndex))
- {
- HeartbeatTimerDictionary.Add(clientIndex, new CTimer(HeartbeatTimer_CallbackFunction, clientIndex, HeartbeatRequiredIntervalMs));
- }
- }
-
- server.ReceiveDataAsync(clientIndex, TcpServerReceivedDataAsyncCallback);
- }
- }
- else
- {
- Debug.Console(1, this, Debug.ErrorLogLevel.Error, "Client attempt faulty.");
- if (!ServerStopped)
- {
- server.WaitForConnectionAsync(IPAddress.Any, TcpConnectCallback);
- return;
- }
- }
- }
- catch (Exception ex)
- {
- Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error in Socket Status Connect Callback. Error: {0}", ex);
- }
- //Debug.Console(1, this, Debug.ErrorLogLevel, "((((((Server State bitfield={0}; maxclient={1}; ServerStopped={2}))))))",
- // server.State,
- // MaxClients,
- // ServerStopped);
- if ((server.State & ServerState.SERVER_LISTENING) != ServerState.SERVER_LISTENING && MaxClients > 1 && !ServerStopped)
- {
- Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Waiting for next connection");
- server.WaitForConnectionAsync(IPAddress.Any, TcpConnectCallback);
-
}
}
-
- #endregion
-
- #region Methods - Send/Receive Callbacks
- ///
- /// Secure Received Data Async Callback
- ///
- ///
- ///
- ///
- void TcpServerReceivedDataAsyncCallback(TCPServer myTCPServer, uint clientIndex, int numberOfBytesReceived)
+ catch (Exception ex)
{
+ Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error in Socket Status Change Callback. Error: {0}", ex);
+ }
+ onConnectionChange(clientIndex, server.GetServerSocketStatusForSpecificClient(clientIndex));
+ }
+
+ #endregion
+
+ #region Methods Connected Callbacks
+ ///
+ /// Secure TCP Client Connected to Secure Server Callback
+ ///
+ ///
+ ///
+ void TcpConnectCallback(TCPServer server, uint clientIndex)
+ {
+ try
+ {
+ Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "ConnectCallback: IPAddress: {0}. Index: {1}. Status: {2}",
+ server.GetAddressServerAcceptedConnectionFromForSpecificClient(clientIndex),
+ clientIndex, server.GetServerSocketStatusForSpecificClient(clientIndex));
+ if (clientIndex != 0)
+ {
+ if (server.ClientConnected(clientIndex))
+ {
+
+ if (!ConnectedClientsIndexes.Contains(clientIndex))
+ {
+ ConnectedClientsIndexes.Add(clientIndex);
+ }
+ if (SharedKeyRequired)
+ {
+ if (!WaitingForSharedKey.Contains(clientIndex))
+ {
+ WaitingForSharedKey.Add(clientIndex);
+ }
+ byte[] b = Encoding.GetEncoding(28591).GetBytes("SharedKey:");
+ server.SendDataAsync(clientIndex, b, b.Length, (x, y, z) => { });
+ Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Sent Shared Key Request to client at {0}", server.GetAddressServerAcceptedConnectionFromForSpecificClient(clientIndex));
+ }
+ else
+ {
+ OnServerClientReadyForCommunications(clientIndex);
+ }
+ if (HeartbeatRequired)
+ {
+ if (!HeartbeatTimerDictionary.ContainsKey(clientIndex))
+ {
+ HeartbeatTimerDictionary.Add(clientIndex, new CTimer(HeartbeatTimer_CallbackFunction, clientIndex, HeartbeatRequiredIntervalMs));
+ }
+ }
+
+ server.ReceiveDataAsync(clientIndex, TcpServerReceivedDataAsyncCallback);
+ }
+ }
+ else
+ {
+ Debug.Console(1, this, Debug.ErrorLogLevel.Error, "Client attempt faulty.");
+ if (!ServerStopped)
+ {
+ server.WaitForConnectionAsync(IPAddress.Any, TcpConnectCallback);
+ return;
+ }
+ }
+ }
+ catch (Exception ex)
+ {
+ Debug.Console(2, this, Debug.ErrorLogLevel.Error, "Error in Socket Status Connect Callback. Error: {0}", ex);
+ }
+ //Debug.Console(1, this, Debug.ErrorLogLevel, "((((((Server State bitfield={0}; maxclient={1}; ServerStopped={2}))))))",
+ // server.State,
+ // MaxClients,
+ // ServerStopped);
+ if ((server.State & ServerState.SERVER_LISTENING) != ServerState.SERVER_LISTENING && MaxClients > 1 && !ServerStopped)
+ {
+ Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Waiting for next connection");
+ server.WaitForConnectionAsync(IPAddress.Any, TcpConnectCallback);
+
+ }
+ }
+
+ #endregion
+
+ #region Methods - Send/Receive Callbacks
+ ///
+ /// Secure Received Data Async Callback
+ ///
+ ///
+ ///
+ ///
+ void TcpServerReceivedDataAsyncCallback(TCPServer myTCPServer, uint clientIndex, int numberOfBytesReceived)
+ {
if (numberOfBytesReceived > 0)
{
string received = "Nothing";
@@ -845,181 +831,180 @@ namespace PepperDash.Core
myTCPServer.Disconnect();
}
- }
+ }
- #endregion
+ #endregion
- #region Methods - EventHelpers/Callbacks
+ #region Methods - EventHelpers/Callbacks
- //Private Helper method to call the Connection Change Event
- void onConnectionChange(uint clientIndex, SocketStatus clientStatus)
+ //Private Helper method to call the Connection Change Event
+ void onConnectionChange(uint clientIndex, SocketStatus clientStatus)
+ {
+ if (clientIndex != 0) //0 is error not valid client change
{
- if (clientIndex != 0) //0 is error not valid client change
- {
- var handler = ClientConnectionChange;
- if (handler != null)
- {
- handler(this, new GenericTcpServerSocketStatusChangeEventArgs(myTcpServer, clientIndex, clientStatus));
- }
- }
- }
-
- //Private Helper method to call the Connection Change Event
- void OnConnectionChange()
- {
- if (ProgramIsStopping)
- {
- return;
- }
var handler = ClientConnectionChange;
if (handler != null)
{
- handler(this, new GenericTcpServerSocketStatusChangeEventArgs());
+ handler(this, new GenericTcpServerSocketStatusChangeEventArgs(myTcpServer, clientIndex, clientStatus));
}
}
+ }
- //Private Helper Method to call the Text Received Event
- void onTextReceived(string text, uint clientIndex)
+ //Private Helper method to call the Connection Change Event
+ void OnConnectionChange()
+ {
+ if (ProgramIsStopping)
{
- var handler = TextReceived;
- if (handler != null)
- handler(this, new GenericTcpServerCommMethodReceiveTextArgs(text, clientIndex));
+ return;
}
-
- //Private Helper Method to call the Server State Change Event
- void OnServerStateChange(ServerState state)
+ var handler = ClientConnectionChange;
+ if (handler != null)
{
- if (ProgramIsStopping)
- {
- return;
- }
- var handler = ServerStateChange;
- if (handler != null)
- {
- handler(this, new GenericTcpServerStateChangedEventArgs(state));
- }
+ handler(this, new GenericTcpServerSocketStatusChangeEventArgs());
}
+ }
- ///
- /// Private Event Handler method to handle the closing of connections when the program stops
- ///
- ///
- void CrestronEnvironment_ProgramStatusEventHandler(eProgramStatusEventType programEventType)
+ //Private Helper Method to call the Text Received Event
+ void onTextReceived(string text, uint clientIndex)
+ {
+ var handler = TextReceived;
+ if (handler != null)
+ handler(this, new GenericTcpServerCommMethodReceiveTextArgs(text, clientIndex));
+ }
+
+ //Private Helper Method to call the Server State Change Event
+ void OnServerStateChange(ServerState state)
+ {
+ if (ProgramIsStopping)
{
- if (programEventType == eProgramStatusEventType.Stopping)
- {
- ProgramIsStopping = true;
- // kill bandaid things
- if (MonitorClientTimer != null)
- MonitorClientTimer.Stop();
- if (MonitorClient != null)
- MonitorClient.Disconnect();
-
- Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Program stopping. Closing server");
- KillServer();
- }
+ return;
}
-
- //Private event handler method to raise the event that the server is ready to send data after a successful client shared key negotiation
- void OnServerClientReadyForCommunications(uint clientIndex)
+ var handler = ServerStateChange;
+ if (handler != null)
{
- ClientReadyAfterKeyExchange.Add(clientIndex);
- var handler = ServerClientReadyForCommunications;
- if (handler != null)
- handler(this, new GenericTcpServerSocketStatusChangeEventArgs(
- this, clientIndex, myTcpServer.GetServerSocketStatusForSpecificClient(clientIndex)));
+ handler(this, new GenericTcpServerStateChangedEventArgs(state));
}
- #endregion
+ }
- #region Monitor Client
- ///
- /// Starts the monitor client cycle. Timed wait, then call RunMonitorClient
- ///
- void StartMonitorClient()
+ ///
+ /// Private Event Handler method to handle the closing of connections when the program stops
+ ///
+ ///
+ void CrestronEnvironment_ProgramStatusEventHandler(eProgramStatusEventType programEventType)
+ {
+ if (programEventType == eProgramStatusEventType.Stopping)
{
+ ProgramIsStopping = true;
+ // kill bandaid things
if (MonitorClientTimer != null)
- {
- return;
- }
- MonitorClientTimer = new CTimer(o => RunMonitorClient(), 60000);
- }
-
- ///
- ///
- ///
- void RunMonitorClient()
- {
- MonitorClient = new GenericTcpIpClient_ForServer(Key + "-MONITOR", "127.0.0.1", Port, 2000);
- MonitorClient.SharedKeyRequired = this.SharedKeyRequired;
- MonitorClient.SharedKey = this.SharedKey;
- MonitorClient.ConnectionHasHungCallback = MonitorClientHasHungCallback;
- //MonitorClient.ConnectionChange += MonitorClient_ConnectionChange;
- MonitorClient.ClientReadyForCommunications += MonitorClient_IsReadyForComm;
-
- Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Starting monitor check");
-
- MonitorClient.Connect();
- // From here MonitorCLient either connects or hangs, MonitorClient will call back
-
- }
-
- ///
- ///
- ///
- void StopMonitorClient()
- {
- if (MonitorClient == null)
- return;
-
- MonitorClient.ClientReadyForCommunications -= MonitorClient_IsReadyForComm;
- MonitorClient.Disconnect();
- MonitorClient = null;
- }
-
- ///
- /// On monitor connect, restart the operation
- ///
- void MonitorClient_IsReadyForComm(object sender, GenericTcpServerClientReadyForcommunicationsEventArgs args)
- {
- if (args.IsReady)
- {
- Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Monitor client connection success. Disconnecting in 2s");
MonitorClientTimer.Stop();
- MonitorClientTimer = null;
- MonitorClientFailureCount = 0;
- CrestronEnvironment.Sleep(2000);
- StopMonitorClient();
- StartMonitorClient();
- }
- }
+ if (MonitorClient != null)
+ MonitorClient.Disconnect();
- ///
- /// If the client hangs, add to counter and maybe fire the choke event
- ///
- void MonitorClientHasHungCallback()
+ Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Program stopping. Closing server");
+ KillServer();
+ }
+ }
+
+ //Private event handler method to raise the event that the server is ready to send data after a successful client shared key negotiation
+ void OnServerClientReadyForCommunications(uint clientIndex)
+ {
+ ClientReadyAfterKeyExchange.Add(clientIndex);
+ var handler = ServerClientReadyForCommunications;
+ if (handler != null)
+ handler(this, new GenericTcpServerSocketStatusChangeEventArgs(
+ this, clientIndex, myTcpServer.GetServerSocketStatusForSpecificClient(clientIndex)));
+ }
+ #endregion
+
+ #region Monitor Client
+ ///
+ /// Starts the monitor client cycle. Timed wait, then call RunMonitorClient
+ ///
+ void StartMonitorClient()
+ {
+ if (MonitorClientTimer != null)
{
- MonitorClientFailureCount++;
+ return;
+ }
+ MonitorClientTimer = new CTimer(o => RunMonitorClient(), 60000);
+ }
+
+ ///
+ ///
+ ///
+ void RunMonitorClient()
+ {
+ MonitorClient = new GenericTcpIpClient_ForServer(Key + "-MONITOR", "127.0.0.1", Port, 2000);
+ MonitorClient.SharedKeyRequired = this.SharedKeyRequired;
+ MonitorClient.SharedKey = this.SharedKey;
+ MonitorClient.ConnectionHasHungCallback = MonitorClientHasHungCallback;
+ //MonitorClient.ConnectionChange += MonitorClient_ConnectionChange;
+ MonitorClient.ClientReadyForCommunications += MonitorClient_IsReadyForComm;
+
+ Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Starting monitor check");
+
+ MonitorClient.Connect();
+ // From here MonitorCLient either connects or hangs, MonitorClient will call back
+
+ }
+
+ ///
+ ///
+ ///
+ void StopMonitorClient()
+ {
+ if (MonitorClient == null)
+ return;
+
+ MonitorClient.ClientReadyForCommunications -= MonitorClient_IsReadyForComm;
+ MonitorClient.Disconnect();
+ MonitorClient = null;
+ }
+
+ ///
+ /// On monitor connect, restart the operation
+ ///
+ void MonitorClient_IsReadyForComm(object sender, GenericTcpServerClientReadyForcommunicationsEventArgs args)
+ {
+ if (args.IsReady)
+ {
+ Debug.Console(1, this, Debug.ErrorLogLevel.Notice, "Monitor client connection success. Disconnecting in 2s");
MonitorClientTimer.Stop();
MonitorClientTimer = null;
+ MonitorClientFailureCount = 0;
+ CrestronEnvironment.Sleep(2000);
StopMonitorClient();
- if (MonitorClientFailureCount < MonitorClientMaxFailureCount)
- {
- Debug.Console(2, this, Debug.ErrorLogLevel.Warning, "Monitor client connection has hung {0} time{1}, maximum {2}",
- MonitorClientFailureCount, MonitorClientFailureCount > 1 ? "s" : "", MonitorClientMaxFailureCount);
- StartMonitorClient();
- }
- else
- {
- Debug.Console(2, this, Debug.ErrorLogLevel.Error,
- "\r***************************\rMonitor client connection has hung a maximum of {0} times.\r***************************",
- MonitorClientMaxFailureCount);
-
- var handler = ServerHasChoked;
- if (handler != null)
- handler();
- // Some external thing is in charge here. Expected reset of program
- }
+ StartMonitorClient();
}
- #endregion
}
+
+ ///
+ /// If the client hangs, add to counter and maybe fire the choke event
+ ///
+ void MonitorClientHasHungCallback()
+ {
+ MonitorClientFailureCount++;
+ MonitorClientTimer.Stop();
+ MonitorClientTimer = null;
+ StopMonitorClient();
+ if (MonitorClientFailureCount < MonitorClientMaxFailureCount)
+ {
+ Debug.Console(2, this, Debug.ErrorLogLevel.Warning, "Monitor client connection has hung {0} time{1}, maximum {2}",
+ MonitorClientFailureCount, MonitorClientFailureCount > 1 ? "s" : "", MonitorClientMaxFailureCount);
+ StartMonitorClient();
+ }
+ else
+ {
+ Debug.Console(2, this, Debug.ErrorLogLevel.Error,
+ "\r***************************\rMonitor client connection has hung a maximum of {0} times.\r***************************",
+ MonitorClientMaxFailureCount);
+
+ var handler = ServerHasChoked;
+ if (handler != null)
+ handler();
+ // Some external thing is in charge here. Expected reset of program
+ }
+ }
+ #endregion
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/Comm/GenericUdpServer.cs b/src/PepperDash.Core/Comm/GenericUdpServer.cs
index 34df1444..6a761e6c 100644
--- a/src/PepperDash.Core/Comm/GenericUdpServer.cs
+++ b/src/PepperDash.Core/Comm/GenericUdpServer.cs
@@ -11,364 +11,347 @@ using JsonProperty = NewtonsoftJson::Newtonsoft.Json.JsonPropertyAttribute;
using PepperDash.Core.Logging;
using Required = NewtonsoftJson::Newtonsoft.Json.Required;
-namespace PepperDash.Core
+namespace PepperDash.Core;
+
+///
+/// Generic UDP Server device
+///
+public class GenericUdpServer : Device, ISocketStatusWithStreamDebugging
{
+ private const string SplusKey = "Uninitialized Udp Server";
///
- /// Generic UDP Server device
+ /// Object to enable stream debugging
///
- public class GenericUdpServer : Device, ISocketStatusWithStreamDebugging
- {
- private const string SplusKey = "Uninitialized Udp Server";
- ///
- /// Object to enable stream debugging
- ///
- public CommunicationStreamDebugging StreamDebugging { get; private set; }
- ///
- ///
- ///
- public event EventHandler BytesReceived;
+ public CommunicationStreamDebugging StreamDebugging { get; private set; }
+ ///
+ ///
+ ///
+ public event EventHandler BytesReceived;
- ///
- ///
- ///
- public event EventHandler TextReceived;
+ ///
+ ///
+ ///
+ public event EventHandler TextReceived;
- ///
- /// This event will fire when a message is dequeued that includes the source IP and Port info if needed to determine the source of the received data.
- ///
+ ///
+ /// This event will fire when a message is dequeued that includes the source IP and Port info if needed to determine the source of the received data.
+ ///
public event EventHandler DataRecievedExtra;
- ///
- ///
- ///
- public event EventHandler ConnectionChange;
+ ///
+ ///
+ ///
+ public event EventHandler ConnectionChange;
- ///
- ///
- ///
- public event EventHandler UpdateConnectionStatus;
+ ///
+ ///
+ ///
+ public event EventHandler UpdateConnectionStatus;
- ///
- ///
- ///
- public SocketStatus ClientStatus
+ ///
+ ///
+ ///
+ public SocketStatus ClientStatus
+ {
+ get
{
- get
- {
- return Server.ServerStatus;
- }
+ return Server.ServerStatus;
}
-
- ///
- ///
- ///
- public ushort UStatus
- {
- get { return (ushort)Server.ServerStatus; }
- }
-
- ///
- /// Address of server
- ///
- public string Hostname { get; set; }
-
-
- ///
- /// Port on server
- ///
- public int Port { get; set; }
-
- ///
- /// Another damn S+ helper because S+ seems to treat large port nums as signed ints
- /// which screws up things
- ///
- public ushort UPort
- {
- get { return Convert.ToUInt16(Port); }
- set { Port = Convert.ToInt32(value); }
- }
-
- ///
- /// Indicates that the UDP Server is enabled
- ///
- public bool IsConnected
- {
- get;
- private set;
- }
-
- ///
- /// Numeric value indicating
- ///
- public ushort UIsConnected
- {
- get { return IsConnected ? (ushort)1 : (ushort)0; }
- }
-
- ///
- /// Defaults to 2000
- ///
- public int BufferSize { get; set; }
-
- ///
- /// The server
- ///
- public UDPServer Server { get; private set; }
-
- ///
- /// Constructor for S+. Make sure to set key, address, port, and buffersize using init method
- ///
- public GenericUdpServer()
- : base(SplusKey)
- {
- StreamDebugging = new CommunicationStreamDebugging(SplusKey);
- BufferSize = 5000;
-
- CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
- CrestronEnvironment.EthernetEventHandler += new EthernetEventHandler(CrestronEnvironment_EthernetEventHandler);
- }
-
- ///
- ///
- ///
- ///
- ///
- ///
- ///
- public GenericUdpServer(string key, string address, int port, int bufferSize)
- : base(key)
- {
- StreamDebugging = new CommunicationStreamDebugging(key);
- Hostname = address;
- Port = port;
- BufferSize = bufferSize;
-
- CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
- CrestronEnvironment.EthernetEventHandler += new EthernetEventHandler(CrestronEnvironment_EthernetEventHandler);
- }
-
- ///
- /// Call from S+ to initialize values
- ///
- ///
- ///
- ///
- ///
- /// Initialize method
- ///
- public void Initialize(string key, string address, ushort port)
- {
- Key = key;
- Hostname = address;
- UPort = port;
- }
-
- ///
- ///
- ///
- ///
- void CrestronEnvironment_EthernetEventHandler(EthernetEventArgs ethernetEventArgs)
- {
- // Re-enable the server if the link comes back up and the status should be connected
- if (ethernetEventArgs.EthernetEventType == eEthernetEventType.LinkUp
- && IsConnected)
- {
- Connect();
- }
- }
-
- ///
- ///
- ///
- ///
- void CrestronEnvironment_ProgramStatusEventHandler(eProgramStatusEventType programEventType)
- {
- if (programEventType != eProgramStatusEventType.Stopping)
- return;
-
- Debug.Console(1, this, "Program stopping. Disabling Server");
- Disconnect();
- }
-
- ///
- /// Connect method
- ///
- public void Connect()
- {
- if (Server == null)
- {
- try
- {
- var address = IPAddress.Parse(Hostname);
-
- Server = new UDPServer(address, Port, BufferSize);
-
- }
- catch (Exception ex)
- {
- this.LogError("Error parsing IP Address '{ipAddress}': message: {message}", Hostname, ex.Message);
- this.LogInformation("Creating UDPServer with default buffersize");
-
- Server = new UDPServer();
- }
-
- }
-
- if (string.IsNullOrEmpty(Hostname))
- {
- Debug.Console(1, Debug.ErrorLogLevel.Warning, "GenericUdpServer '{0}': No address set", Key);
- return;
- }
- if (Port < 1 || Port > 65535)
- {
- {
- Debug.Console(1, Debug.ErrorLogLevel.Warning, "GenericUdpServer '{0}': Invalid port", Key);
- return;
- }
- }
-
- var status = Server.EnableUDPServer(Hostname, Port);
-
- Debug.Console(2, this, "SocketErrorCode: {0}", status);
- if (status == SocketErrorCodes.SOCKET_OK)
- IsConnected = true;
-
- var handler = UpdateConnectionStatus;
- if (handler != null)
- handler(this, new GenericUdpConnectedEventArgs(UIsConnected));
-
- // Start receiving data
- Server.ReceiveDataAsync(Receive);
- }
-
- ///
- /// Disconnect method
- ///
- public void Disconnect()
- {
- if (Server != null)
- Server.DisableUDPServer();
-
- IsConnected = false;
-
- var handler = UpdateConnectionStatus;
- if (handler != null)
- handler(this, new GenericUdpConnectedEventArgs(UIsConnected));
- }
-
-
- ///
- /// Recursive method to receive data
- ///
- ///
- ///
- void Receive(UDPServer server, int numBytes)
- {
- Debug.Console(2, this, "Received {0} bytes", numBytes);
-
- try
- {
- if (numBytes <= 0)
- return;
-
- var sourceIp = Server.IPAddressLastMessageReceivedFrom;
- var sourcePort = Server.IPPortLastMessageReceivedFrom;
- var bytes = server.IncomingDataBuffer.Take(numBytes).ToArray();
- var str = Encoding.GetEncoding(28591).GetString(bytes, 0, bytes.Length);
-
- var dataRecivedExtra = DataRecievedExtra;
- if (dataRecivedExtra != null)
- dataRecivedExtra(this, new GenericUdpReceiveTextExtraArgs(str, sourceIp, sourcePort, bytes));
-
- Debug.Console(2, this, "Bytes: {0}", bytes.ToString());
- var bytesHandler = BytesReceived;
- if (bytesHandler != null)
- {
- this.PrintReceivedBytes(bytes);
- bytesHandler(this, new GenericCommMethodReceiveBytesArgs(bytes));
- }
- var textHandler = TextReceived;
- if (textHandler != null)
- {
- this.PrintReceivedText(str);
- textHandler(this, new GenericCommMethodReceiveTextArgs(str));
- }
- }
- catch (Exception ex)
- {
- this.LogException(ex, "GenericUdpServer Receive error");
- }
- finally
- {
- server.ReceiveDataAsync(Receive);
- }
- }
-
- ///
- /// General send method
- ///
- ///
- ///
- /// SendText method
- ///
- public void SendText(string text)
- {
- var bytes = Encoding.GetEncoding(28591).GetBytes(text);
-
- if (IsConnected && Server != null)
- {
- this.PrintSentText(text);
-
- Server.SendData(bytes, bytes.Length);
- }
- }
-
- ///
- ///
- ///
- ///
- ///
- /// SendBytes method
- ///
- public void SendBytes(byte[] bytes)
- {
- this.PrintSentBytes(bytes);
-
- if (IsConnected && Server != null)
- Server.SendData(bytes, bytes.Length);
- }
-
}
///
/// Represents a GenericUdpReceiveTextExtraArgs
///
- public class GenericUdpReceiveTextExtraArgs : EventArgs
+ public ushort UStatus
{
- ///
- ///
- ///
+ get { return (ushort)Server.ServerStatus; }
+ }
+
+ ///
+ /// Address of server
+ ///
+ public string Hostname { get; set; }
+
+
+ ///
+ /// Port on server
+ ///
+ public int Port { get; set; }
+
+ ///
+ /// Another damn S+ helper because S+ seems to treat large port nums as signed ints
+ /// which screws up things
+ ///
+ public ushort UPort
+ {
+ get { return Convert.ToUInt16(Port); }
+ set { Port = Convert.ToInt32(value); }
+ }
+
+ ///
+ /// Indicates that the UDP Server is enabled
+ ///
+ public bool IsConnected
+ {
+ get;
+ private set;
+ }
+
+ ///
+ /// Numeric value indicating
+ ///
+ public ushort UIsConnected
+ {
+ get { return IsConnected ? (ushort)1 : (ushort)0; }
+ }
+
+ ///
+ /// Defaults to 2000
+ ///
+ public int BufferSize { get; set; }
+
+ ///
+ /// The server
+ ///
+ public UDPServer Server { get; private set; }
+
+ ///
+ /// Constructor for S+. Make sure to set key, address, port, and buffersize using init method
+ ///
+ public GenericUdpServer()
+ : base(SplusKey)
+ {
+ StreamDebugging = new CommunicationStreamDebugging(SplusKey);
+ BufferSize = 5000;
+
+ CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
+ CrestronEnvironment.EthernetEventHandler += new EthernetEventHandler(CrestronEnvironment_EthernetEventHandler);
+ }
+
+ ///
+ ///
+ ///
+ ///
+ ///
+ ///
+ ///
+ public GenericUdpServer(string key, string address, int port, int buffefSize)
+ : base(key)
+ {
+ StreamDebugging = new CommunicationStreamDebugging(key);
+ Hostname = address;
+ Port = port;
+ BufferSize = buffefSize;
+
+ CrestronEnvironment.ProgramStatusEventHandler += new ProgramStatusEventHandler(CrestronEnvironment_ProgramStatusEventHandler);
+ CrestronEnvironment.EthernetEventHandler += new EthernetEventHandler(CrestronEnvironment_EthernetEventHandler);
+ }
+
+ ///
+ /// Call from S+ to initialize values
+ ///
+ ///
+ ///
+ ///
+ public void Initialize(string key, string address, ushort port)
+ {
+ Key = key;
+ Hostname = address;
+ UPort = port;
+ }
+
+ ///
+ ///
+ ///
+ ///
+ void CrestronEnvironment_EthernetEventHandler(EthernetEventArgs ethernetEventArgs)
+ {
+ // Re-enable the server if the link comes back up and the status should be connected
+ if (ethernetEventArgs.EthernetEventType == eEthernetEventType.LinkUp
+ && IsConnected)
+ {
+ Connect();
+ }
+ }
+
+ ///
+ ///
+ ///
+ ///
+ void CrestronEnvironment_ProgramStatusEventHandler(eProgramStatusEventType programEventType)
+ {
+ if (programEventType != eProgramStatusEventType.Stopping)
+ return;
+
+ Debug.Console(1, this, "Program stopping. Disabling Server");
+ Disconnect();
+ }
+
+ ///
+ /// Enables the UDP Server
+ ///
+ public void Connect()
+ {
+ if (Server == null)
+ {
+ Server = new UDPServer();
+ }
+
+ if (string.IsNullOrEmpty(Hostname))
+ {
+ Debug.Console(1, Debug.ErrorLogLevel.Warning, "GenericUdpServer '{0}': No address set", Key);
+ return;
+ }
+ if (Port < 1 || Port > 65535)
+ {
+ {
+ Debug.Console(1, Debug.ErrorLogLevel.Warning, "GenericUdpServer '{0}': Invalid port", Key);
+ return;
+ }
+ }
+
+ var status = Server.EnableUDPServer(Hostname, Port);
+
+ Debug.Console(2, this, "SocketErrorCode: {0}", status);
+ if (status == SocketErrorCodes.SOCKET_OK)
+ IsConnected = true;
+
+ var handler = UpdateConnectionStatus;
+ if (handler != null)
+ handler(this, new GenericUdpConnectedEventArgs(UIsConnected));
+
+ // Start receiving data
+ Server.ReceiveDataAsync(Receive);
+ }
+
+ ///
+ /// Disabled the UDP Server
+ ///
+ public void Disconnect()
+ {
+ if(Server != null)
+ Server.DisableUDPServer();
+
+ IsConnected = false;
+
+ var handler = UpdateConnectionStatus;
+ if (handler != null)
+ handler(this, new GenericUdpConnectedEventArgs(UIsConnected));
+ }
+
+
+ ///
+ /// Recursive method to receive data
+ ///
+ ///
+ ///
+ void Receive(UDPServer server, int numBytes)
+ {
+ Debug.Console(2, this, "Received {0} bytes", numBytes);
+
+ try
+ {
+ if (numBytes <= 0)
+ return;
+
+ var sourceIp = Server.IPAddressLastMessageReceivedFrom;
+ var sourcePort = Server.IPPortLastMessageReceivedFrom;
+ var bytes = server.IncomingDataBuffer.Take(numBytes).ToArray();
+ var str = Encoding.GetEncoding(28591).GetString(bytes, 0, bytes.Length);
+
+ var dataRecivedExtra = DataRecievedExtra;
+ if (dataRecivedExtra != null)
+ dataRecivedExtra(this, new GenericUdpReceiveTextExtraArgs(str, sourceIp, sourcePort, bytes));
+
+ Debug.Console(2, this, "Bytes: {0}", bytes.ToString());
+ var bytesHandler = BytesReceived;
+ if (bytesHandler != null)
+ {
+ if (StreamDebugging.RxStreamDebuggingIsEnabled)
+ {
+ Debug.Console(0, this, "Received {1} bytes: '{0}'", ComTextHelper.GetEscapedText(bytes), bytes.Length);
+ }
+ bytesHandler(this, new GenericCommMethodReceiveBytesArgs(bytes));
+ }
+ var textHandler = TextReceived;
+ if (textHandler != null)
+ {
+ if (StreamDebugging.RxStreamDebuggingIsEnabled)
+ Debug.Console(0, this, "Received {1} characters of text: '{0}'", ComTextHelper.GetDebugText(str), str.Length);
+ textHandler(this, new GenericCommMethodReceiveTextArgs(str));
+ }
+ }
+ catch (Exception ex)
+ {
+ this.LogException(ex, "GenericUdpServer Receive error");
+ }
+ finally
+ {
+ server.ReceiveDataAsync(Receive);
+ }
+ }
+
+ ///
+ /// General send method
+ ///
+ ///
+ public void SendText(string text)
+ {
+ var bytes = Encoding.GetEncoding(28591).GetBytes(text);
+
+ if (IsConnected && Server != null)
+ {
+ if (StreamDebugging.TxStreamDebuggingIsEnabled)
+ Debug.Console(0, this, "Sending {0} characters of text: '{1}'", text.Length, ComTextHelper.GetDebugText(text));
+
+ Server.SendData(bytes, bytes.Length);
+ }
+ }
+
+ ///
+ ///
+ ///
+ ///
+ public void SendBytes(byte[] bytes)
+ {
+ if (StreamDebugging.TxStreamDebuggingIsEnabled)
+ Debug.Console(0, this, "Sending {0} bytes: '{1}'", bytes.Length, ComTextHelper.GetEscapedText(bytes));
+
+ if (IsConnected && Server != null)
+ Server.SendData(bytes, bytes.Length);
+ }
+
+}
+
+///
+///
+///
+ public class GenericUdpReceiveTextExtraArgs : EventArgs
+ {
+ ///
+ ///
+ ///
public string Text { get; private set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string IpAddress { get; private set; }
- ///
- ///
- ///
- public int Port { get; private set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
+ public int Port { get; private set; }
+ ///
+ ///
+ ///
public byte[] Bytes { get; private set; }
- ///
- ///
- ///
- ///
- ///
- ///
- ///
+ ///
+ ///
+ ///
+ ///
+ ///
+ ///
+ ///
public GenericUdpReceiveTextExtraArgs(string text, string ipAddress, int port, byte[] bytes)
{
Text = text;
@@ -383,34 +366,33 @@ namespace PepperDash.Core
public GenericUdpReceiveTextExtraArgs() { }
}
+///
+///
+///
+public class UdpServerPropertiesConfig
+{
///
///
///
- public class UdpServerPropertiesConfig
+ [JsonProperty(Required = Required.Always)]
+ public string Address { get; set; }
+
+ ///
+ ///
+ ///
+ [JsonProperty(Required = Required.Always)]
+ public int Port { get; set; }
+
+ ///
+ /// Defaults to 32768
+ ///
+ public int BufferSize { get; set; }
+
+ ///
+ ///
+ ///
+ public UdpServerPropertiesConfig()
{
- ///
- ///
- ///
- [JsonProperty(Required = Required.Always)]
- public string Address { get; set; }
-
- ///
- ///
- ///
- [JsonProperty(Required = Required.Always)]
- public int Port { get; set; }
-
- ///
- /// Defaults to 32768
- ///
- public int BufferSize { get; set; }
-
- ///
- ///
- ///
- public UdpServerPropertiesConfig()
- {
- BufferSize = 32768;
- }
+ BufferSize = 32768;
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/Comm/TcpClientConfigObject.cs b/src/PepperDash.Core/Comm/TcpClientConfigObject.cs
index e2137d4a..2aec5af8 100644
--- a/src/PepperDash.Core/Comm/TcpClientConfigObject.cs
+++ b/src/PepperDash.Core/Comm/TcpClientConfigObject.cs
@@ -2,60 +2,59 @@
using JsonProperty = NewtonsoftJson::Newtonsoft.Json.JsonPropertyAttribute;
-namespace PepperDash.Core
+namespace PepperDash.Core;
+
+///
+/// Client config object for TCP client with server that inherits from TcpSshPropertiesConfig and adds properties for shared key and heartbeat
+///
+public class TcpClientConfigObject
{
///
- /// Represents a TcpClientConfigObject
+ /// TcpSsh Properties
///
- public class TcpClientConfigObject
- {
- ///
- /// TcpSsh Properties
- ///
- [JsonProperty("control")]
- public ControlPropertiesConfig Control { get; set; }
+ [JsonProperty("control")]
+ public ControlPropertiesConfig Control { get; set; }
- ///
- /// Bool value for secure. Currently not implemented in TCP sockets as they are not dynamic
- ///
- [JsonProperty("secure")]
- public bool Secure { get; set; }
+ ///
+ /// Bool value for secure. Currently not implemented in TCP sockets as they are not dynamic
+ ///
+ [JsonProperty("secure")]
+ public bool Secure { get; set; }
- ///
- /// Require a shared key that both server and client negotiate. If negotiation fails server disconnects the client
- ///
- [JsonProperty("sharedKeyRequired")]
- public bool SharedKeyRequired { get; set; }
+ ///
+ /// Require a shared key that both server and client negotiate. If negotiation fails server disconnects the client
+ ///
+ [JsonProperty("sharedKeyRequired")]
+ public bool SharedKeyRequired { get; set; }
- ///
- /// The shared key that must match on the server and client
- ///
- [JsonProperty("sharedKey")]
- public string SharedKey { get; set; }
+ ///
+ /// The shared key that must match on the server and client
+ ///
+ [JsonProperty("sharedKey")]
+ public string SharedKey { get; set; }
- ///
- /// Require a heartbeat on the client/server connection that will cause the server/client to disconnect if the heartbeat is not received.
- /// heartbeats do not raise received events.
- ///
- [JsonProperty("heartbeatRequired")]
- public bool HeartbeatRequired { get; set; }
+ ///
+ /// Require a heartbeat on the client/server connection that will cause the server/client to disconnect if the heartbeat is not received.
+ /// heartbeats do not raise received events.
+ ///
+ [JsonProperty("heartbeatRequired")]
+ public bool HeartbeatRequired { get; set; }
- ///
- /// The interval in seconds for the heartbeat from the client. If not received client is disconnected
- ///
- [JsonProperty("heartbeatRequiredIntervalInSeconds")]
- public ushort HeartbeatRequiredIntervalInSeconds { get; set; }
+ ///
+ /// The interval in seconds for the heartbeat from the client. If not received client is disconnected
+ ///
+ [JsonProperty("heartbeatRequiredIntervalInSeconds")]
+ public ushort HeartbeatRequiredIntervalInSeconds { get; set; }
- ///
- /// HeartbeatString that will be checked against the message received. defaults to heartbeat if no string is provided.
- ///
- [JsonProperty("heartbeatStringToMatch")]
- public string HeartbeatStringToMatch { get; set; }
+ ///
+ /// HeartbeatString that will be checked against the message received. defaults to heartbeat if no string is provided.
+ ///
+ [JsonProperty("heartbeatStringToMatch")]
+ public string HeartbeatStringToMatch { get; set; }
- ///
- /// Receive Queue size must be greater than 20 or defaults to 20
- ///
- [JsonProperty("receiveQueueSize")]
- public int ReceiveQueueSize { get; set; }
- }
+ ///
+ /// Receive Queue size must be greater than 20 or defaults to 20
+ ///
+ [JsonProperty("receiveQueueSize")]
+ public int ReceiveQueueSize { get; set; }
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/Comm/TcpServerConfigObject.cs b/src/PepperDash.Core/Comm/TcpServerConfigObject.cs
index 043cf58d..b60f486f 100644
--- a/src/PepperDash.Core/Comm/TcpServerConfigObject.cs
+++ b/src/PepperDash.Core/Comm/TcpServerConfigObject.cs
@@ -4,57 +4,56 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Core
+namespace PepperDash.Core;
+
+///
+/// Tcp Server Config object with properties for a tcp server with shared key and heartbeat capabilities
+///
+public class TcpServerConfigObject
{
///
- /// Tcp Server Config object with properties for a tcp server with shared key and heartbeat capabilities
+ /// Uique key
///
- public class TcpServerConfigObject
- {
- ///
- /// Uique key
- ///
- public string Key { get; set; }
- ///
- /// Max Clients that the server will allow to connect.
- ///
- public ushort MaxClients { get; set; }
- ///
- /// Bool value for secure. Currently not implemented in TCP sockets as they are not dynamic
- ///
- public bool Secure { get; set; }
- ///
- /// Port for the server to listen on
- ///
- public int Port { get; set; }
- ///
- /// Require a shared key that both server and client negotiate. If negotiation fails server disconnects the client
- ///
- public bool SharedKeyRequired { get; set; }
- ///
- /// The shared key that must match on the server and client
- ///
- public string SharedKey { get; set; }
- ///
- /// Require a heartbeat on the client/server connection that will cause the server/client to disconnect if the heartbeat is not received.
- /// heartbeats do not raise received events.
- ///
- public bool HeartbeatRequired { get; set; }
- ///
- /// The interval in seconds for the heartbeat from the client. If not received client is disconnected
- ///
- public ushort HeartbeatRequiredIntervalInSeconds { get; set; }
- ///
- /// HeartbeatString that will be checked against the message received. defaults to heartbeat if no string is provided.
- ///
- public string HeartbeatStringToMatch { get; set; }
- ///
- /// Client buffer size. See Crestron help. defaults to 2000 if not greater than 2000
- ///
- public int BufferSize { get; set; }
- ///
- /// Receive Queue size must be greater than 20 or defaults to 20
- ///
- public int ReceiveQueueSize { get; set; }
- }
+ public string Key { get; set; }
+ ///
+ /// Max Clients that the server will allow to connect.
+ ///
+ public ushort MaxClients { get; set; }
+ ///
+ /// Bool value for secure. Currently not implemented in TCP sockets as they are not dynamic
+ ///
+ public bool Secure { get; set; }
+ ///
+ /// Port for the server to listen on
+ ///
+ public int Port { get; set; }
+ ///
+ /// Require a shared key that both server and client negotiate. If negotiation fails server disconnects the client
+ ///
+ public bool SharedKeyRequired { get; set; }
+ ///
+ /// The shared key that must match on the server and client
+ ///
+ public string SharedKey { get; set; }
+ ///
+ /// Require a heartbeat on the client/server connection that will cause the server/client to disconnect if the heartbeat is not received.
+ /// heartbeats do not raise received events.
+ ///
+ public bool HeartbeatRequired { get; set; }
+ ///
+ /// The interval in seconds for the heartbeat from the client. If not received client is disconnected
+ ///
+ public ushort HeartbeatRequiredIntervalInSeconds { get; set; }
+ ///
+ /// HeartbeatString that will be checked against the message received. defaults to heartbeat if no string is provided.
+ ///
+ public string HeartbeatStringToMatch { get; set; }
+ ///
+ /// Client buffer size. See Crestron help. defaults to 2000 if not greater than 2000
+ ///
+ public int BufferSize { get; set; }
+ ///
+ /// Receive Queue size must be greater than 20 or defaults to 20
+ ///
+ public int ReceiveQueueSize { get; set; }
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/Comm/eControlMethods.cs b/src/PepperDash.Core/Comm/eControlMethods.cs
index b807fdc5..db1bcb19 100644
--- a/src/PepperDash.Core/Comm/eControlMethods.cs
+++ b/src/PepperDash.Core/Comm/eControlMethods.cs
@@ -4,84 +4,83 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Core
+namespace PepperDash.Core;
+
+///
+/// Crestron Control Methods for a comm object
+///
+public enum eControlMethod
{
///
- /// Crestron Control Methods for a comm object
+ ///
///
- public enum eControlMethod
- {
- ///
- ///
- ///
- None = 0,
- ///
- /// RS232/422/485
- ///
- Com,
- ///
- /// Crestron IpId (most Crestron ethernet devices)
- ///
- IpId,
- ///
- /// Crestron IpIdTcp (HD-MD series, etc.)
- ///
- IpidTcp,
- ///
- /// Crestron IR control
- ///
- IR,
- ///
- /// SSH client
- ///
- Ssh,
- ///
- /// TCP/IP client
- ///
- Tcpip,
- ///
- /// Telnet
- ///
- Telnet,
- ///
- /// Crestnet device
- ///
- Cresnet,
- ///
- /// CEC Control, via a DM HDMI port
- ///
- Cec,
- ///
- /// UDP Server
- ///
- Udp,
- ///
- /// HTTP client
- ///
- Http,
- ///
- /// HTTPS client
- ///
- Https,
- ///
- /// Websocket client
- ///
- Ws,
- ///
- /// Secure Websocket client
- ///
- Wss,
- ///
- /// Secure TCP/IP
- ///
- SecureTcpIp,
- ///
- /// Used when comms needs to be handled in SIMPL and bridged opposite the normal direction
- ///
- ComBridge,
- ///
- /// InfinetEX control
- ///
- InfinetEx
- }
+ None = 0,
+ ///
+ /// RS232/422/485
+ ///
+ Com,
+ ///
+ /// Crestron IpId (most Crestron ethernet devices)
+ ///
+ IpId,
+ ///
+ /// Crestron IpIdTcp (HD-MD series, etc.)
+ ///
+ IpidTcp,
+ ///
+ /// Crestron IR control
+ ///
+ IR,
+ ///
+ /// SSH client
+ ///
+ Ssh,
+ ///
+ /// TCP/IP client
+ ///
+ Tcpip,
+ ///
+ /// Telnet
+ ///
+ Telnet,
+ ///
+ /// Crestnet device
+ ///
+ Cresnet,
+ ///
+ /// CEC Control, via a DM HDMI port
+ ///
+ Cec,
+ ///
+ /// UDP Server
+ ///
+ Udp,
+ ///
+ /// HTTP client
+ ///
+ Http,
+ ///
+ /// HTTPS client
+ ///
+ Https,
+ ///
+ /// Websocket client
+ ///
+ Ws,
+ ///
+ /// Secure Websocket client
+ ///
+ Wss,
+ ///
+ /// Secure TCP/IP
+ ///
+ SecureTcpIp,
+ ///
+ /// Crestron COM bridge
+ ///
+ ComBridge,
+ ///
+ /// Crestron Infinet EX device
+ ///
+ InfinetEx
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/Comm/eStreamDebuggingSetting.cs b/src/PepperDash.Core/Comm/eStreamDebuggingSetting.cs
deleted file mode 100644
index f9f7eb3f..00000000
--- a/src/PepperDash.Core/Comm/eStreamDebuggingSetting.cs
+++ /dev/null
@@ -1,28 +0,0 @@
-using System;
-
-namespace PepperDash.Core
-{
- ///
- /// The available settings for stream debugging
- ///
- [Flags]
- public enum eStreamDebuggingSetting
- {
- ///
- /// Debug off
- ///
- Off = 0,
- ///
- /// Debug received data
- ///
- Rx = 1,
- ///
- /// Debug transmitted data
- ///
- Tx = 2,
- ///
- /// Debug both received and transmitted data
- ///
- Both = Rx | Tx
- }
-}
diff --git a/src/PepperDash.Core/CommunicationExtras.cs b/src/PepperDash.Core/CommunicationExtras.cs
index 1fcce75b..04e36982 100644
--- a/src/PepperDash.Core/CommunicationExtras.cs
+++ b/src/PepperDash.Core/CommunicationExtras.cs
@@ -2,139 +2,142 @@
using System;
using System.Collections.Generic;
+using System.Linq;
+using System.Text;
+using System.Text.RegularExpressions;
using Crestron.SimplSharp;
using Crestron.SimplSharp.CrestronSockets;
using JsonConverter = NewtonsoftJson::Newtonsoft.Json.JsonConverterAttribute;
using JsonProperty = NewtonsoftJson::Newtonsoft.Json.JsonPropertyAttribute;
using StringEnumConverter = NewtonsoftJson::Newtonsoft.Json.Converters.StringEnumConverter;
-namespace PepperDash.Core
+namespace PepperDash.Core;
+
+///
+/// An incoming communication stream
+///
+public interface ICommunicationReceiver : IKeyed
{
///
- /// An incoming communication stream
+ /// Notifies of bytes received
///
- public interface ICommunicationReceiver : IKeyed
- {
- ///
- /// Notifies of bytes received
- ///
- event EventHandler BytesReceived;
- ///
- /// Notifies of text received
- ///
- event EventHandler TextReceived;
-
- ///
- /// Indicates connection status
- ///
- [JsonProperty("isConnected")]
- bool IsConnected { get; }
- ///
- /// Connect to the device
- ///
- void Connect();
- ///
- /// Disconnect from the device
- ///
- void Disconnect();
- }
+ event EventHandler BytesReceived;
+ ///
+ /// Notifies of text received
+ ///
+ event EventHandler TextReceived;
///
- /// Defines the contract for IBasicCommunication
+ /// Indicates connection status
///
- public interface IBasicCommunication : ICommunicationReceiver
- {
- ///
- /// Send text to the device
- ///
- ///
+ [JsonProperty("isConnected")]
+ bool IsConnected { get; }
+ ///
+ /// Connect to the device
+ ///
+ void Connect();
+ ///
+ /// Disconnect from the device
+ ///
+ void Disconnect();
+}
+
+ ///
+ /// Extends with methods for sending text and bytes to a device.
+ ///
+public interface IBasicCommunication : ICommunicationReceiver
+ {
+ ///
+ /// Send text to the device
+ ///
+ ///
void SendText(string text);
- ///
- /// Send bytes to the device
- ///
- ///
+ ///
+ /// Send bytes to the device
+ ///
+ ///
void SendBytes(byte[] bytes);
}
- ///
- /// Represents a device that implements IBasicCommunication and IStreamDebugging
- ///
- public interface IBasicCommunicationWithStreamDebugging : IBasicCommunication, IStreamDebugging
- {
+///
+/// Represents a device that implements IBasicCommunication and IStreamDebugging
+///
+public interface IBasicCommunicationWithStreamDebugging : IBasicCommunication, IStreamDebugging
+{
- }
+}
+///
+/// Represents a device with stream debugging capablities
+///
+public interface IStreamDebugging : IKeyed
+{
///
- /// Represents a device with stream debugging capablities
+ /// Object to enable stream debugging
///
- public interface IStreamDebugging : IKeyed
- {
- ///
- /// Object to enable stream debugging
- ///
- [JsonProperty("streamDebugging")]
- CommunicationStreamDebugging StreamDebugging { get; }
- }
+ [JsonProperty("streamDebugging")]
+ CommunicationStreamDebugging StreamDebugging { get; }
+}
+ ///
+ /// For IBasicCommunication classes that have SocketStatus. GenericSshClient,
+ /// GenericTcpIpClient
+ ///
+ public interface ISocketStatus : IBasicCommunication
+ {
///
- /// For IBasicCommunication classes that have SocketStatus. GenericSshClient,
- /// GenericTcpIpClient
+ /// Notifies of socket status changes
///
- public interface ISocketStatus : IBasicCommunication
- {
- ///
- /// Notifies of socket status changes
- ///
event EventHandler ConnectionChange;
- ///
- /// The current socket status of the client
- ///
- [JsonProperty("clientStatus")]
- [JsonConverter(typeof(StringEnumConverter))]
- SocketStatus ClientStatus { get; }
- }
-
///
- /// Describes a device that implements ISocketStatus and IStreamDebugging
+ /// The current socket status of the client
///
- public interface ISocketStatusWithStreamDebugging : ISocketStatus, IStreamDebugging
- {
+ [JsonProperty("clientStatus")]
+ [JsonConverter(typeof(StringEnumConverter))]
+ SocketStatus ClientStatus { get; }
+ }
- }
+///
+/// Describes a device that implements ISocketStatus and IStreamDebugging
+///
+public interface ISocketStatusWithStreamDebugging : ISocketStatus, IStreamDebugging
+{
- ///
- /// Describes a device that can automatically attempt to reconnect
- ///
+}
+
+///
+/// Describes a device that can automatically attempt to reconnect
+///
public interface IAutoReconnect
- {
- ///
- /// Enable automatic recconnect
- ///
- [JsonProperty("autoReconnect")]
- bool AutoReconnect { get; set; }
- ///
- /// Interval in ms to attempt automatic recconnections
- ///
- [JsonProperty("autoReconnectIntervalMs")]
- int AutoReconnectIntervalMs { get; set; }
- }
-
+ {
///
- ///
+ /// Enable automatic recconnect
+ ///
+ [JsonProperty("autoReconnect")]
+ bool AutoReconnect { get; set; }
+ ///
+ /// Interval in ms to attempt automatic recconnections
+ ///
+ [JsonProperty("autoReconnectIntervalMs")]
+ int AutoReconnectIntervalMs { get; set; }
+ }
+
+ ///
+ ///
+ ///
+ public enum eGenericCommMethodStatusChangeType
+ {
+ ///
+ /// Connected
///
- public enum eGenericCommMethodStatusChangeType
- {
- ///
- /// Connected
- ///
Connected,
- ///
- /// Disconnected
- ///
- Disconnected
- }
+ ///
+ /// Disconnected
+ ///
+ Disconnected
+ }
///
/// This delegate defines handler for IBasicCommunication status changes
@@ -143,20 +146,20 @@ namespace PepperDash.Core
///
public delegate void GenericCommMethodStatusHandler(IBasicCommunication comm, eGenericCommMethodStatusChangeType status);
+ ///
+ /// Event args for bytes received from a communication method
+ ///
+ public class GenericCommMethodReceiveBytesArgs : EventArgs
+ {
///
- ///
+ /// The bytes received
///
- public class GenericCommMethodReceiveBytesArgs : EventArgs
- {
- ///
- /// Gets or sets the Bytes
- ///
- public byte[] Bytes { get; private set; }
+ public byte[] Bytes { get; private set; }
- ///
- ///
- ///
- ///
+ ///
+ /// Constructor
+ ///
+ ///
public GenericCommMethodReceiveBytesArgs(byte[] bytes)
{
Bytes = bytes;
@@ -168,42 +171,81 @@ namespace PepperDash.Core
public GenericCommMethodReceiveBytesArgs() { }
}
+ ///
+ /// Event args for text received
+ ///
+ public class GenericCommMethodReceiveTextArgs : EventArgs
+ {
///
- ///
+ /// The text received
///
- public class GenericCommMethodReceiveTextArgs : EventArgs
- {
- ///
- ///
- ///
public string Text { get; private set; }
- ///
- ///
- ///
- public string Delimiter { get; private set; }
- ///
- ///
- ///
- ///
+ ///
+ /// The delimiter used to determine the end of a message, if applicable
+ ///
+ public string Delimiter { get; private set; }
+
+ ///
+ /// Constructor
+ ///
+ ///
public GenericCommMethodReceiveTextArgs(string text)
{
Text = text;
}
- ///
- ///
- ///
- ///
- ///
- public GenericCommMethodReceiveTextArgs(string text, string delimiter)
- : this(text)
- {
- Delimiter = delimiter;
- }
-
- ///
- /// S+ Constructor
- ///
- public GenericCommMethodReceiveTextArgs() { }
+ ///
+ ///
+ ///
+ ///
+ ///
+ public GenericCommMethodReceiveTextArgs(string text, string delimiter)
+ :this(text)
+ {
+ Delimiter = delimiter;
}
-}
\ No newline at end of file
+
+ ///
+ /// S+ Constructor
+ ///
+ public GenericCommMethodReceiveTextArgs() { }
+ }
+
+
+
+ ///
+ /// Helper class to get escaped text for debugging communication streams
+ ///
+ public class ComTextHelper
+ {
+ ///
+ /// Gets escaped text for a byte array
+ ///
+ ///
+ ///
+ public static string GetEscapedText(byte[] bytes)
+ {
+ return String.Concat(bytes.Select(b => string.Format(@"[{0:X2}]", (int)b)).ToArray());
+ }
+
+ ///
+ /// Gets escaped text for a string
+ ///
+ ///
+ ///
+ public static string GetEscapedText(string text)
+ {
+ var bytes = Encoding.GetEncoding(28591).GetBytes(text);
+ return String.Concat(bytes.Select(b => string.Format(@"[{0:X2}]", (int)b)).ToArray());
+ }
+
+ ///
+ /// Gets debug text for a string
+ ///
+ ///
+ ///
+ public static string GetDebugText(string text)
+ {
+ return Regex.Replace(text, @"[^\u0020-\u007E]", a => GetEscapedText(a.Value));
+ }
+ }
diff --git a/src/PepperDash.Core/Config/PortalConfigReader.cs b/src/PepperDash.Core/Config/PortalConfigReader.cs
index b7c5c784..270e10ec 100644
--- a/src/PepperDash.Core/Config/PortalConfigReader.cs
+++ b/src/PepperDash.Core/Config/PortalConfigReader.cs
@@ -11,15 +11,11 @@ using JToken = NewtonsoftJson::Newtonsoft.Json.Linq.JToken;
using PepperDash.Core;
using Serilog.Events;
+namespace PepperDash.Core.Config;
-
-namespace PepperDash.Core.Config
-{
-
-
- ///
- /// Reads a Portal formatted config file
- ///
+///
+/// Reads a Portal formatted config file
+///
public class PortalConfigReader
{
const string template = "template";
@@ -128,31 +124,31 @@ namespace PepperDash.Core.Config
Merge(template[destinationLists], system[destinationLists], destinationLists));
- if (system[cameraLists] == null)
- merged.Add(cameraLists, template[cameraLists]);
- else
- merged.Add(cameraLists, Merge(template[cameraLists], system[cameraLists], cameraLists));
+ if (system["cameraLists"] == null)
+ merged.Add("cameraLists", template["cameraLists"]);
+ else
+ merged.Add("cameraLists", Merge(template["cameraLists"], system["cameraLists"], "cameraLists"));
- if (system[audioControlPointLists] == null)
- merged.Add(audioControlPointLists, template[audioControlPointLists]);
- else
- merged.Add(audioControlPointLists,
- Merge(template[audioControlPointLists], system[audioControlPointLists], audioControlPointLists));
+ if (system["audioControlPointLists"] == null)
+ merged.Add("audioControlPointLists", template["audioControlPointLists"]);
+ else
+ merged.Add("audioControlPointLists",
+ Merge(template["audioControlPointLists"], system["audioControlPointLists"], "audioControlPointLists"));
- // Template tie lines take precedence. Config tool doesn't do them at system
- // level anyway...
- if (template[tieLines] != null)
- merged.Add(tieLines, template[tieLines]);
- else if (system[tieLines] != null)
- merged.Add(tieLines, system[tieLines]);
+ // Template tie lines take precedence. Config tool doesn't do them at system
+ // level anyway...
+ if (template["tieLines"] != null)
+ merged.Add("tieLines", template["tieLines"]);
+ else if (system["tieLines"] != null)
+ merged.Add("tieLines", system["tieLines"]);
else
merged.Add(tieLines, new JArray());
- if (template[joinMaps] != null)
- merged.Add(joinMaps, template[joinMaps]);
- else
- merged.Add(joinMaps, new JObject());
+ if (template["joinMaps"] != null)
+ merged.Add("joinMaps", template["joinMaps"]);
+ else
+ merged.Add("joinMaps", new JObject());
if (system[global] != null)
merged.Add(global, Merge(template[global], system[global], global));
@@ -175,26 +171,26 @@ namespace PepperDash.Core.Config
return a1;
else if (a1 != null)
{
- if (a2[0]["key"] == null) // If the first item in the system array has no key, overwrite the template array
- { // with the system array
- return a2;
- }
- else // The arrays are keyed, merge them by key
+ if (a2[0]["key"] == null) // If the first item in the system array has no key, overwrite the template array
+ { // with the system array
+ return a2;
+ }
+ else // The arrays are keyed, merge them by key
+ {
+ for (int i = 0; i < a1.Count(); i++)
{
- for (int i = 0; i < a1.Count(); i++)
+ var a1Dev = a1[i];
+ // Try to get a system device and if found, merge it onto template
+ var a2Match = a2.FirstOrDefault(t => t[propertyName].Equals(a1Dev[propertyName]));// t.Value("uid") == tmplDev.Value("uid"));
+ if (a2Match != null)
{
- var a1Dev = a1[i];
- // Try to get a system device and if found, merge it onto template
- var a2Match = a2.FirstOrDefault(t => t[propertyName].Equals(a1Dev[propertyName]));// t.Value("uid") == tmplDev.Value("uid"));
- if (a2Match != null)
- {
- var mergedItem = Merge(a1Dev, a2Match, string.Format("{0}[{1}].", path, i));// Merge(JObject.FromObject(a1Dev), JObject.FromObject(a2Match));
- result.Add(mergedItem);
- }
- else
- result.Add(a1Dev);
+ var mergedItem = Merge(a1Dev, a2Match, string.Format("{0}[{1}].", path, i));// Merge(JObject.FromObject(a1Dev), JObject.FromObject(a2Match));
+ result.Add(mergedItem);
}
+ else
+ result.Add(a1Dev);
}
+ }
}
return result;
}
@@ -211,9 +207,9 @@ namespace PepperDash.Core.Config
///
/// Merge o2 onto o1
///
- ///
- ///
- ///
+ ///
+ ///
+ ///
static JObject Merge(JObject o1, JObject o2, string path)
{
foreach (var o2Prop in o2)
@@ -259,5 +255,4 @@ namespace PepperDash.Core.Config
}
return o1;
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/Conversion/Convert.cs b/src/PepperDash.Core/Conversion/Convert.cs
index 49f8bb94..13ef7263 100644
--- a/src/PepperDash.Core/Conversion/Convert.cs
+++ b/src/PepperDash.Core/Conversion/Convert.cs
@@ -4,28 +4,18 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Core
+namespace PepperDash.Core;
+
+public class EncodingHelper
{
- ///
- /// Represents a EncodingHelper
- ///
- public class EncodingHelper
+ public static string ConvertUtf8ToAscii(string utf8String)
{
- ///
- /// ConvertUtf8ToAscii method
- ///
- public static string ConvertUtf8ToAscii(string utf8String)
- {
- return Encoding.ASCII.GetString(Encoding.UTF8.GetBytes(utf8String), 0, utf8String.Length);
- }
-
- ///
- /// ConvertUtf8ToUtf16 method
- ///
- public static string ConvertUtf8ToUtf16(string utf8String)
- {
- return Encoding.Unicode.GetString(Encoding.UTF8.GetBytes(utf8String), 0, utf8String.Length);
- }
-
+ return Encoding.ASCII.GetString(Encoding.UTF8.GetBytes(utf8String), 0, utf8String.Length);
}
+
+ public static string ConvertUtf8ToUtf16(string utf8String)
+ {
+ return Encoding.Unicode.GetString(Encoding.UTF8.GetBytes(utf8String), 0, utf8String.Length);
+ }
+
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/CoreInterfaces.cs b/src/PepperDash.Core/CoreInterfaces.cs
index 7eb565dd..89e6cdad 100644
--- a/src/PepperDash.Core/CoreInterfaces.cs
+++ b/src/PepperDash.Core/CoreInterfaces.cs
@@ -8,30 +8,28 @@ using Crestron.SimplSharp;
using JsonProperty = NewtonsoftJson::Newtonsoft.Json.JsonPropertyAttribute;
using Serilog;
-namespace PepperDash.Core
-{
- ///
- /// Unique key interface to require a unique key for the class
- ///
+namespace PepperDash.Core;
+
+///
+/// Unique key interface to require a unique key for the class
+///
public interface IKeyed
{
- ///
- /// Gets the unique key associated with the object.
- ///
- [JsonProperty("key")]
- string Key { get; }
- }
-
- ///
- /// Named Keyed device interface. Forces the device to have a Unique Key and a name.
+ ///
+ /// Gets the unique key associated with the object.
///
- public interface IKeyName : IKeyed
- {
- ///
- /// Gets the name associated with the current object.
- ///
- [JsonProperty("name")]
- string Name { get; }
- }
+ [JsonProperty("key")]
+ string Key { get; }
+}
+///
+/// Named Keyed device interface. Forces the device to have a Unique Key and a name.
+///
+ public interface IKeyName : IKeyed
+{
+ ///
+ /// Gets the name associated with the current object.
+ ///
+ [JsonProperty("name")]
+ string Name { get; }
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/Device.cs b/src/PepperDash.Core/Device.cs
index 7124550e..70d4d97f 100644
--- a/src/PepperDash.Core/Device.cs
+++ b/src/PepperDash.Core/Device.cs
@@ -2,198 +2,194 @@
using System.Collections.Generic;
using Serilog.Events;
-namespace PepperDash.Core
+namespace PepperDash.Core;
+
+//*********************************************************************************************************
+///
+/// Represents a Device
+///
+public class Device : IKeyName
{
- //*********************************************************************************************************
- ///
- /// Represents a Device
- ///
- public class Device : IKeyName
+
+ ///
+ /// Unique Key
+ ///
+ public string Key { get; protected set; }
+ ///
+ /// Gets or sets the Name
+ ///
+ public string Name { get; protected set; }
+ ///
+ ///
+ ///
+ public bool Enabled { get; protected set; }
+
+ ///
+ /// A place to store reference to the original config object, if any. These values should
+ /// NOT be used as properties on the device as they are all publicly-settable values.
+ ///
+ //public DeviceConfig Config { get; private set; }
+ ///
+ /// Helper method to check if Config exists
+ ///
+ //public bool HasConfig { get { return Config != null; } }
+
+ List _PreActivationActions;
+ List _PostActivationActions;
+
+ ///
+ ///
+ ///
+ public static Device DefaultDevice { get { return _DefaultDevice; } }
+ static Device _DefaultDevice = new Device("Default", "Default");
+
+ ///
+ /// Base constructor for all Devices.
+ ///
+ ///
+ public Device(string key)
{
+ Key = key;
+ if (key.Contains(".")) Debug.LogMessage(LogEventLevel.Information, "WARNING: Device key should not include '.'", this);
+ Name = "";
+ }
- ///
- /// Unique Key
- ///
- public string Key { get; protected set; }
- ///
- /// Gets or sets the Name
- ///
- public string Name { get; protected set; }
- ///
- ///
- ///
- public bool Enabled { get; protected set; }
+ ///
+ /// Constructor with key and name
+ ///
+ ///
+ ///
+ public Device(string key, string name) : this(key)
+ {
+ Name = name;
- ///
- /// A place to store reference to the original config object, if any. These values should
- /// NOT be used as properties on the device as they are all publicly-settable values.
- ///
- //public DeviceConfig Config { get; private set; }
- ///
- /// Helper method to check if Config exists
- ///
- //public bool HasConfig { get { return Config != null; } }
+ }
- List _PreActivationActions;
- List _PostActivationActions;
+ //public Device(DeviceConfig config)
+ // : this(config.Key, config.Name)
+ //{
+ // Config = config;
+ //}
- ///
- ///
- ///
- public static Device DefaultDevice { get { return _DefaultDevice; } }
- static Device _DefaultDevice = new Device("Default", "Default");
+ ///
+ /// Adds a pre activation action
+ ///
+ ///
+ public void AddPreActivationAction(Action act)
+ {
+ if (_PreActivationActions == null)
+ _PreActivationActions = new List();
+ _PreActivationActions.Add(act);
+ }
- ///
- /// Base constructor for all Devices.
- ///
- ///
- public Device(string key)
- {
- Key = key;
- if (key.Contains(".")) Debug.LogMessage(LogEventLevel.Information, "WARNING: Device key should not include '.'", this);
- Name = "";
- }
+ ///
+ /// Adds a post activation action
+ ///
+ ///
+ ///
+ /// AddPostActivationAction method
+ ///
+ public void AddPostActivationAction(Action act)
+ {
+ if (_PostActivationActions == null)
+ _PostActivationActions = new List();
+ _PostActivationActions.Add(act);
+ }
- ///
- /// Constructor with key and name
- ///
- ///
- ///
- public Device(string key, string name) : this(key)
- {
- Name = name;
-
- }
-
- //public Device(DeviceConfig config)
- // : this(config.Key, config.Name)
- //{
- // Config = config;
- //}
-
- ///
- /// Adds a pre activation action
- ///
- ///
- public void AddPreActivationAction(Action act)
- {
- if (_PreActivationActions == null)
- _PreActivationActions = new List();
- _PreActivationActions.Add(act);
- }
-
- ///
- /// Adds a post activation action
- ///
- ///
- ///
- /// AddPostActivationAction method
- ///
- public void AddPostActivationAction(Action act)
- {
- if (_PostActivationActions == null)
- _PostActivationActions = new List();
- _PostActivationActions.Add(act);
- }
-
- ///
- /// PreActivate method
- ///
- public void PreActivate()
- {
- if (_PreActivationActions != null)
- _PreActivationActions.ForEach(a =>
+ ///
+ /// PreActivate method
+ ///
+ public void PreActivate()
+ {
+ if (_PreActivationActions != null)
+ _PreActivationActions.ForEach(a =>
+ {
+ try
{
- try
- {
- a.Invoke();
- }
- catch (Exception e)
- {
- Debug.LogMessage(e, "Error in PreActivationAction: " + e.Message, this);
- }
- });
- }
-
- ///
- /// Activate method
- ///
- public bool Activate()
- {
- //if (_PreActivationActions != null)
- // _PreActivationActions.ForEach(a => a.Invoke());
- var result = CustomActivate();
- //if(result && _PostActivationActions != null)
- // _PostActivationActions.ForEach(a => a.Invoke());
- return result;
- }
-
- ///
- /// PostActivate method
- ///
- public void PostActivate()
- {
- if (_PostActivationActions != null)
- _PostActivationActions.ForEach(a =>
+ a.Invoke();
+ }
+ catch (Exception e)
{
- try
- {
- a.Invoke();
- }
- catch (Exception e)
- {
- Debug.LogMessage(e, "Error in PostActivationAction: " + e.Message, this);
- }
- });
- }
+ Debug.LogMessage(e, "Error in PreActivationAction: " + e.Message, this);
+ }
+ });
+ }
- ///
- /// Called in between Pre and PostActivationActions when Activate() is called.
- /// Override to provide addtitional setup when calling activation. Overriding classes
- /// do not need to call base.CustomActivate()
- ///
- /// true if device activated successfully.
- ///
- /// CustomActivate method
- ///
- public virtual bool CustomActivate() { return true; }
+ ///
+ /// Activate method
+ ///
+ public bool Activate()
+ {
+ //if (_PreActivationActions != null)
+ // _PreActivationActions.ForEach(a => a.Invoke());
+ var result = CustomActivate();
+ //if(result && _PostActivationActions != null)
+ // _PostActivationActions.ForEach(a => a.Invoke());
+ return result;
+ }
- ///
- /// Call to deactivate device - unlink events, etc. Overriding classes do not
- /// need to call base.Deactivate()
- ///
- ///
- public virtual bool Deactivate() { return true; }
+ ///
+ /// PostActivate method
+ ///
+ public void PostActivate()
+ {
+ if (_PostActivationActions != null)
+ _PostActivationActions.ForEach(a =>
+ {
+ try
+ {
+ a.Invoke();
+ }
+ catch (Exception e)
+ {
+ Debug.LogMessage(e, "Error in PostActivationAction: " + e.Message, this);
+ }
+ });
+ }
- ///
- /// Call this method to start communications with a device. Overriding classes do not need to call base.Initialize()
- ///
- public virtual void Initialize()
- {
- }
+ ///
+ /// Called in between Pre and PostActivationActions when Activate() is called.
+ /// Override to provide addtitional setup when calling activation. Overriding classes
+ /// do not need to call base.CustomActivate()
+ ///
+ /// true if device activated successfully.
+ ///
+ /// CustomActivate method
+ ///
+ public virtual bool CustomActivate() { return true; }
- ///
- /// Helper method to check object for bool value false and fire an Action method
- ///
- /// Should be of type bool, others will be ignored
- /// Action to be run when o is false
- public void OnFalse(object o, Action a)
- {
- if (o is bool && !(bool)o) a();
- }
+ ///
+ /// Call to deactivate device - unlink events, etc. Overriding classes do not
+ /// need to call base.Deactivate()
+ ///
+ ///
+ public virtual bool Deactivate() { return true; }
- ///
- /// Returns a string representation of the object, including its key and name.
- ///
- /// The returned string is formatted as "{Key} - {Name}". If the Name property is
- /// null or empty, "---" is used in place of the name.
- /// A string that represents the object, containing the key and name in the format "{Key} - {Name}".
- ///
- /// ToString method
- ///
- public override string ToString()
- {
- return string.Format("{0} - {1}", Key, string.IsNullOrEmpty(Name) ? "---" : Name);
- }
+ ///
+ /// Call this method to start communications with a device. Overriding classes do not need to call base.Initialize()
+ ///
+ public virtual void Initialize()
+ {
+ }
+
+ ///
+ /// Helper method to check object for bool value false and fire an Action method
+ ///
+ /// Should be of type bool, others will be ignored
+ /// Action to be run when o is false
+ public void OnFalse(object o, Action a)
+ {
+ if (o is bool && !(bool)o) a();
+ }
+
+ ///
+ /// Returns a string representation of the object, including its key and name.
+ ///
+ /// The returned string is formatted as "{Key} - {Name}". If the Name property is
+ /// null or empty, "---" is used in place of the name.
+ /// A string that represents the object, containing the key and name in the format "{Key} - {Name}".
+ public override string ToString()
+ {
+ return string.Format("{0} - {1}", Key, string.IsNullOrEmpty(Name) ? "---" : Name);
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/EthernetHelper.cs b/src/PepperDash.Core/EthernetHelper.cs
index 20709eb1..51372603 100644
--- a/src/PepperDash.Core/EthernetHelper.cs
+++ b/src/PepperDash.Core/EthernetHelper.cs
@@ -4,11 +4,11 @@ using Crestron.SimplSharp;
using JsonProperty = NewtonsoftJson::Newtonsoft.Json.JsonPropertyAttribute;
using Serilog.Events;
-namespace PepperDash.Core
-{
- ///
- /// Represents a EthernetHelper
- ///
+namespace PepperDash.Core;
+
+///
+/// Represents an EthernetHelper.
+///
public class EthernetHelper
{
///
@@ -115,5 +115,4 @@ namespace PepperDash.Core
CrestronEthernetHelper.ETHERNET_PARAMETER_TO_GET.GET_CURRENT_ROUTER, 0);
}
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/EventArgs.cs b/src/PepperDash.Core/EventArgs.cs
index c146a6f2..68c2be53 100644
--- a/src/PepperDash.Core/EventArgs.cs
+++ b/src/PepperDash.Core/EventArgs.cs
@@ -4,8 +4,8 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Core
-{
+namespace PepperDash.Core;
+
///
/// Bool change event args
///
@@ -168,5 +168,4 @@ namespace PepperDash.Core
Type = type;
Index = index;
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/GenericRESTfulCommunications/Constants.cs b/src/PepperDash.Core/GenericRESTfulCommunications/Constants.cs
index 1b78c33f..d8a09e4e 100644
--- a/src/PepperDash.Core/GenericRESTfulCommunications/Constants.cs
+++ b/src/PepperDash.Core/GenericRESTfulCommunications/Constants.cs
@@ -4,13 +4,13 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Core.GenericRESTfulCommunications
-{
+namespace PepperDash.Core.GenericRESTfulCommunications;
+
///
/// Constants
///
- public class GenericRESTfulConstants
- {
+public class GenericRESTfulConstants
+{
///
/// Generic boolean change
///
@@ -35,5 +35,4 @@ namespace PepperDash.Core.GenericRESTfulCommunications
/// Error string change
///
public const ushort ErrorStringChange = 203;
- }
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/GenericRESTfulCommunications/GenericRESTfulClient.cs b/src/PepperDash.Core/GenericRESTfulCommunications/GenericRESTfulClient.cs
index bd33e13c..16a2ee04 100644
--- a/src/PepperDash.Core/GenericRESTfulCommunications/GenericRESTfulClient.cs
+++ b/src/PepperDash.Core/GenericRESTfulCommunications/GenericRESTfulClient.cs
@@ -6,8 +6,8 @@ using Crestron.SimplSharp;
using Crestron.SimplSharp.Net.Http;
using Crestron.SimplSharp.Net.Https;
-namespace PepperDash.Core.GenericRESTfulCommunications
-{
+namespace PepperDash.Core.GenericRESTfulCommunications;
+
///
/// Generic RESTful communication class
///
@@ -42,7 +42,7 @@ namespace PepperDash.Core.GenericRESTfulCommunications
///
///
///
- ///
+ ///
public void SubmitRequest(string url, ushort port, ushort requestType, string contentType, string username, string password)
{
if (url.StartsWith("https:", StringComparison.OrdinalIgnoreCase))
@@ -65,7 +65,7 @@ namespace PepperDash.Core.GenericRESTfulCommunications
///
///
///
- ///
+ ///
///
///
private void SubmitRequestHttp(string url, ushort port, ushort requestType, string contentType, string username, string password)
@@ -123,7 +123,7 @@ namespace PepperDash.Core.GenericRESTfulCommunications
///
///
///
- ///
+ ///
///
///
private void SubmitRequestHttps(string url, ushort port, ushort requestType, string contentType, string username, string password)
@@ -252,5 +252,4 @@ namespace PepperDash.Core.GenericRESTfulCommunications
StringChange(this, args);
}
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/JsonStandardObjects/EventArgs and Constants.cs b/src/PepperDash.Core/JsonStandardObjects/EventArgs and Constants.cs
index 110587ab..668bd481 100644
--- a/src/PepperDash.Core/JsonStandardObjects/EventArgs and Constants.cs
+++ b/src/PepperDash.Core/JsonStandardObjects/EventArgs and Constants.cs
@@ -4,8 +4,8 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Core.JsonStandardObjects
-{
+namespace PepperDash.Core.JsonStandardObjects;
+
///
/// Constants for simpl modules
///
@@ -73,5 +73,4 @@ namespace PepperDash.Core.JsonStandardObjects
Type = type;
Index = index;
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/JsonStandardObjects/JsonToSimplDevice.cs b/src/PepperDash.Core/JsonStandardObjects/JsonToSimplDevice.cs
index 2ad47e27..621e99e0 100644
--- a/src/PepperDash.Core/JsonStandardObjects/JsonToSimplDevice.cs
+++ b/src/PepperDash.Core/JsonStandardObjects/JsonToSimplDevice.cs
@@ -4,8 +4,8 @@ using Crestron.SimplSharp;
using PepperDash.Core.JsonToSimpl;
using Serilog.Events;
-namespace PepperDash.Core.JsonStandardObjects
-{
+namespace PepperDash.Core.JsonStandardObjects;
+
///
/// Device class
///
@@ -182,5 +182,4 @@ namespace PepperDash.Core.JsonStandardObjects
}
#endregion EventHandler Helpers
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/JsonStandardObjects/JsonToSimplDeviceConfig.cs b/src/PepperDash.Core/JsonStandardObjects/JsonToSimplDeviceConfig.cs
index d754a029..5d98ba5a 100644
--- a/src/PepperDash.Core/JsonStandardObjects/JsonToSimplDeviceConfig.cs
+++ b/src/PepperDash.Core/JsonStandardObjects/JsonToSimplDeviceConfig.cs
@@ -4,8 +4,8 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Core.JsonStandardObjects
-{
+namespace PepperDash.Core.JsonStandardObjects;
+
/*
Convert JSON snippt to C#: http://json2csharp.com/#
@@ -52,55 +52,55 @@ namespace PepperDash.Core.JsonStandardObjects
///
public class ComParamsConfig
{
- ///
- /// Gets or sets the baudRate
- ///
+ ///
+ ///
+ ///
public int baudRate { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public int dataBits { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public int stopBits { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string parity { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string protocol { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string hardwareHandshake { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string softwareHandshake { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public int pacing { get; set; }
// convert properties for simpl
- ///
- /// Gets or sets the simplBaudRate
- ///
+ ///
+ ///
+ ///
public ushort simplBaudRate { get { return Convert.ToUInt16(baudRate); } }
- ///
- /// Gets or sets the simplDataBits
- ///
+ ///
+ ///
+ ///
public ushort simplDataBits { get { return Convert.ToUInt16(dataBits); } }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public ushort simplStopBits { get { return Convert.ToUInt16(stopBits); } }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public ushort simplPacing { get { return Convert.ToUInt16(pacing); } }
///
@@ -117,43 +117,43 @@ namespace PepperDash.Core.JsonStandardObjects
///
public class TcpSshPropertiesConfig
{
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string address { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public int port { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string username { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string password { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public bool autoReconnect { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public int autoReconnectIntervalMs { get; set; }
// convert properties for simpl
- ///
- /// Gets or sets the simplPort
- ///
+ ///
+ ///
+ ///
public ushort simplPort { get { return Convert.ToUInt16(port); } }
- ///
- /// Gets or sets the simplAutoReconnect
- ///
+ ///
+ ///
+ ///
public ushort simplAutoReconnect { get { return (ushort)(autoReconnect ? 1 : 0); } }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public ushort simplAutoReconnectIntervalMs { get { return Convert.ToUInt16(autoReconnectIntervalMs); } }
///
@@ -170,31 +170,31 @@ namespace PepperDash.Core.JsonStandardObjects
///
public class ControlConfig
{
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string method { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string controlPortDevKey { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public int controlPortNumber { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public ComParamsConfig comParams { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public TcpSshPropertiesConfig tcpSshProperties { get; set; }
// convert properties for simpl
- ///
- /// Gets or sets the simplControlPortNumber
- ///
+ ///
+ ///
+ ///
public ushort simplControlPortNumber { get { return Convert.ToUInt16(controlPortNumber); } }
///
@@ -212,27 +212,27 @@ namespace PepperDash.Core.JsonStandardObjects
///
public class PropertiesConfig
{
- ///
- ///
- ///
+ ///
+ ///
+ ///
public int deviceId { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public bool enabled { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public ControlConfig control { get; set; }
// convert properties for simpl
- ///
- /// Gets or sets the simplDeviceId
- ///
+ ///
+ ///
+ ///
public ushort simplDeviceId { get { return Convert.ToUInt16(deviceId); } }
- ///
- /// Gets or sets the simplEnabled
- ///
+ ///
+ ///
+ ///
public ushort simplEnabled { get { return (ushort)(enabled ? 1 : 0); } }
///
@@ -249,9 +249,8 @@ namespace PepperDash.Core.JsonStandardObjects
///
public class RootObject
{
- ///
- /// The collection of devices
- ///
+ ///
+ /// The collection of devices
+ ///
public List devices { get; set; }
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/JsonToSimpl/Constants.cs b/src/PepperDash.Core/JsonToSimpl/Constants.cs
index ca638bbf..a04c1966 100644
--- a/src/PepperDash.Core/JsonToSimpl/Constants.cs
+++ b/src/PepperDash.Core/JsonToSimpl/Constants.cs
@@ -4,78 +4,78 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Core.JsonToSimpl
-{
+namespace PepperDash.Core.JsonToSimpl;
+
///
/// Constants for Simpl modules
///
public class JsonToSimplConstants
{
- ///
- ///
- ///
+ ///
+ ///
+ ///
public const ushort BoolValueChange = 1;
- ///
- ///
- ///
+ ///
+ ///
+ ///
public const ushort JsonIsValidBoolChange = 2;
- ///
- /// Reports the if the device is 3-series compatible
- ///
- public const ushort ProgramCompatibility3SeriesChange = 3;
+ ///
+ /// Reports the if the device is 3-series compatible
+ ///
+ public const ushort ProgramCompatibility3SeriesChange = 3;
- ///
- /// Reports the if the device is 4-series compatible
- ///
- public const ushort ProgramCompatibility4SeriesChange = 4;
+ ///
+ /// Reports the if the device is 4-series compatible
+ ///
+ public const ushort ProgramCompatibility4SeriesChange = 4;
- ///
- /// Reports the device platform enum value
- ///
- public const ushort DevicePlatformValueChange = 5;
+ ///
+ /// Reports the device platform enum value
+ ///
+ public const ushort DevicePlatformValueChange = 5;
- ///
- ///
- ///
+ ///
+ ///
+ ///
public const ushort UshortValueChange = 101;
- ///
- ///
- ///
+ ///
+ ///
+ ///
public const ushort StringValueChange = 201;
- ///
- ///
- ///
+ ///
+ ///
+ ///
public const ushort FullPathToArrayChange = 202;
- ///
- ///
- ///
+ ///
+ ///
+ ///
public const ushort ActualFilePathChange = 203;
- ///
- ///
- ///
+ ///
+ ///
+ ///
public const ushort FilenameResolvedChange = 204;
- ///
- ///
- ///
+ ///
+ ///
+ ///
public const ushort FilePathResolvedChange = 205;
- ///
- /// Reports the root directory change
- ///
- public const ushort RootDirectoryChange = 206;
+ ///
+ /// Reports the root directory change
+ ///
+ public const ushort RootDirectoryChange = 206;
- ///
- /// Reports the room ID change
- ///
- public const ushort RoomIdChange = 207;
+ ///
+ /// Reports the room ID change
+ ///
+ public const ushort RoomIdChange = 207;
- ///
- /// Reports the room name change
- ///
- public const ushort RoomNameChange = 208;
+ ///
+ /// Reports the room name change
+ ///
+ public const ushort RoomNameChange = 208;
}
///
@@ -88,33 +88,33 @@ namespace PepperDash.Core.JsonToSimpl
///
public class SPlusValueWrapper
{
- ///
- /// Gets or sets the ValueType
- ///
+ ///
+ ///
+ ///
public SPlusType ValueType { get; private set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public ushort Index { get; private set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public ushort BoolUShortValue { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string StringValue { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public SPlusValueWrapper() {}
- ///
- ///
- ///
- ///
- ///
+ ///
+ ///
+ ///
+ ///
+ ///
public SPlusValueWrapper(SPlusType type, ushort index)
{
ValueType = type;
@@ -127,17 +127,16 @@ namespace PepperDash.Core.JsonToSimpl
///
public enum SPlusType
{
- ///
- /// Digital
- ///
+ ///
+ /// Digital
+ ///
Digital,
- ///
- /// Analog
- ///
- Analog,
- ///
- /// String
- ///
- String
- }
-}
\ No newline at end of file
+ ///
+ /// Analog
+ ///
+ Analog,
+ ///
+ /// String
+ ///
+ String
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/JsonToSimpl/Global.cs b/src/PepperDash.Core/JsonToSimpl/Global.cs
index 8d71c5fb..39633a61 100644
--- a/src/PepperDash.Core/JsonToSimpl/Global.cs
+++ b/src/PepperDash.Core/JsonToSimpl/Global.cs
@@ -7,11 +7,11 @@ using Serilog.Events;
//using PepperDash.Core;
-namespace PepperDash.Core.JsonToSimpl
-{
- ///
- /// The global class to manage all the instances of JsonToSimplMaster
- ///
+namespace PepperDash.Core.JsonToSimpl;
+
+///
+/// The global class to manage all the instances of JsonToSimplMaster
+///
public class J2SGlobal
{
static List Masters = new List();
@@ -22,10 +22,7 @@ namespace PepperDash.Core.JsonToSimpl
/// master, this will fail
///
/// New master to add
- ///
- ///
- /// AddMaster method
- ///
+ ///
public static void AddMaster(JsonToSimplMaster master)
{
if (master == null)
@@ -59,5 +56,4 @@ namespace PepperDash.Core.JsonToSimpl
{
return Masters.FirstOrDefault(m => m.UniqueID.Equals(file, StringComparison.OrdinalIgnoreCase));
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/JsonToSimpl/JsonToSimplArrayLookupChild.cs b/src/PepperDash.Core/JsonToSimpl/JsonToSimplArrayLookupChild.cs
index 559fc87d..f49a4b77 100644
--- a/src/PepperDash.Core/JsonToSimpl/JsonToSimplArrayLookupChild.cs
+++ b/src/PepperDash.Core/JsonToSimpl/JsonToSimplArrayLookupChild.cs
@@ -5,20 +5,20 @@ using System.Linq;
using JArray = NewtonsoftJson::Newtonsoft.Json.Linq.JArray;
using Serilog.Events;
-namespace PepperDash.Core.JsonToSimpl
-{
- ///
- /// Represents a JsonToSimplArrayLookupChild
- ///
+namespace PepperDash.Core.JsonToSimpl;
+
+///
+/// Used to interact with an array of values with the S+ modules
+///
public class JsonToSimplArrayLookupChild : JsonToSimplChildObjectBase
{
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string SearchPropertyName { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string SearchPropertyValue { get; set; }
int ArrayIndex;
@@ -78,10 +78,9 @@ namespace PepperDash.Core.JsonToSimpl
PathSuffix == null ? "" : PathSuffix);
}
- ///
- /// ProcessAll method
- ///
- ///
+ ///
+ /// Process all values
+ ///
public override void ProcessAll()
{
if (FindInArray())
@@ -161,5 +160,4 @@ namespace PepperDash.Core.JsonToSimpl
return false;
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/JsonToSimpl/JsonToSimplChildObjectBase.cs b/src/PepperDash.Core/JsonToSimpl/JsonToSimplChildObjectBase.cs
index e7da9c9c..2c1afd06 100644
--- a/src/PepperDash.Core/JsonToSimpl/JsonToSimplChildObjectBase.cs
+++ b/src/PepperDash.Core/JsonToSimpl/JsonToSimplChildObjectBase.cs
@@ -5,29 +5,29 @@ using System.Collections.Generic;
using System.Linq;
using JValue = NewtonsoftJson::Newtonsoft.Json.Linq.JValue;
-namespace PepperDash.Core.JsonToSimpl
-{
- ///
- /// Base class for JSON objects
- ///
+namespace PepperDash.Core.JsonToSimpl;
+
+///
+/// Base class for JSON objects
+///
public abstract class JsonToSimplChildObjectBase : IKeyed
{
- ///
- /// Notifies of bool change
- ///
+ ///
+ /// Notifies of bool change
+ ///
public event EventHandler BoolChange;
- ///
- /// Notifies of ushort change
- ///
+ ///
+ /// Notifies of ushort change
+ ///
public event EventHandler UShortChange;
- ///
- /// Notifies of string change
- ///
+ ///
+ /// Notifies of string change
+ ///
public event EventHandler StringChange;
- ///
- /// Delegate to get all values
- ///
+ ///
+ /// Delegate to get all values
+ ///
public SPlusValuesDelegate GetAllValuesDelegate { get; set; }
///
@@ -35,9 +35,9 @@ namespace PepperDash.Core.JsonToSimpl
///
public SPlusValuesDelegate SetAllPathsDelegate { get; set; }
- ///
- /// Gets or sets the Key
- ///
+ ///
+ /// Unique identifier for instance
+ ///
public string Key { get; protected set; }
///
@@ -51,33 +51,33 @@ namespace PepperDash.Core.JsonToSimpl
///
public string PathSuffix { get; protected set; }
- ///
- /// Gets or sets the LinkedToObject
- ///
+ ///
+ /// Indicates if the instance is linked to an object
+ ///
public bool LinkedToObject { get; protected set; }
- ///
- /// Reference to Master instance
- ///
+ ///
+ /// Reference to Master instance
+ ///
protected JsonToSimplMaster Master;
- ///
- /// Paths to boolean values in JSON structure
- ///
- protected Dictionary BoolPaths = new Dictionary();
- ///
- /// Paths to numeric values in JSON structure
- ///
+ ///
+ /// Paths to boolean values in JSON structure
+ ///
+ protected Dictionary BoolPaths = new Dictionary();
+ ///
+ /// Paths to numeric values in JSON structure
+ ///
protected Dictionary UshortPaths = new Dictionary();
- ///
- /// Paths to string values in JSON structure
- ///
+ ///
+ /// Paths to string values in JSON structure
+ ///
protected Dictionary StringPaths = new Dictionary();
///
/// Call this before doing anything else
///
- ///
+ ///
///
///
///
@@ -94,13 +94,10 @@ namespace PepperDash.Core.JsonToSimpl
Debug.Console(1, "JSON Child [{0}] cannot link to master {1}", key, masterUniqueId);
}
- ///
- /// Sets the path prefix for the object
- ///
- ///
- ///
- /// SetPathPrefix method
- ///
+ ///
+ /// Sets the path prefix for the object
+ ///
+ ///
public void SetPathPrefix(string pathPrefix)
{
PathPrefix = pathPrefix;
@@ -175,18 +172,18 @@ namespace PepperDash.Core.JsonToSimpl
}
// Processes the path to a ushort, converting to ushort if able, twos complement if necessary, firing off UshrtChange event
- void ProcessUshortPath(ushort index) {
- string response;
- if (Process(UshortPaths[index], out response)) {
- ushort val;
- try { val = Convert.ToInt32(response) < 0 ? (ushort)(Convert.ToInt16(response) + 65536) : Convert.ToUInt16(response); }
- catch { val = 0; }
+ void ProcessUshortPath(ushort index) {
+ string response;
+ if (Process(UshortPaths[index], out response)) {
+ ushort val;
+ try { val = Convert.ToInt32(response) < 0 ? (ushort)(Convert.ToInt16(response) + 65536) : Convert.ToUInt16(response); }
+ catch { val = 0; }
- OnUShortChange(val, index, JsonToSimplConstants.UshortValueChange);
- }
- else { }
- // OnUShortChange(0, index, JsonToSimplConstants.UshortValueChange);
+ OnUShortChange(val, index, JsonToSimplConstants.UshortValueChange);
}
+ else { }
+ // OnUShortChange(0, index, JsonToSimplConstants.UshortValueChange);
+ }
// Processes the path to a string property and fires of a StringChange event.
void ProcessStringPath(ushort index)
@@ -277,69 +274,54 @@ namespace PepperDash.Core.JsonToSimpl
GetAllValuesDelegate();
}
- ///
- ///
- ///
- ///
- ///
- ///
- /// USetBoolValue method
- ///
+ ///
+ ///
+ ///
+ ///
+ ///
public void USetBoolValue(ushort key, ushort theValue)
{
SetBoolValue(key, theValue == 1);
}
- ///
- ///
- ///
- ///
- ///
- ///
- /// SetBoolValue method
- ///
+ ///
+ ///
+ ///
+ ///
+ ///
public void SetBoolValue(ushort key, bool theValue)
{
if (BoolPaths.ContainsKey(key))
SetValueOnMaster(BoolPaths[key], new JValue(theValue));
}
- ///
- ///
- ///
- ///
- ///
- ///
- /// SetUShortValue method
- ///
+ ///
+ ///
+ ///
+ ///
+ ///
public void SetUShortValue(ushort key, ushort theValue)
{
if (UshortPaths.ContainsKey(key))
SetValueOnMaster(UshortPaths[key], new JValue(theValue));
}
- ///
- ///
- ///
- ///
- ///
- ///
- /// SetStringValue method
- ///
+ ///
+ ///
+ ///
+ ///
+ ///
public void SetStringValue(ushort key, string theValue)
{
if (StringPaths.ContainsKey(key))
SetValueOnMaster(StringPaths[key], new JValue(theValue));
}
- ///
- ///
- ///
- ///
- ///
- ///
- /// SetValueOnMaster method
- ///
+ ///
+ ///
+ ///
+ ///
+ ///
public void SetValueOnMaster(string keyPath, JValue valueToSave)
{
var path = GetFullPath(keyPath);
@@ -369,12 +351,12 @@ namespace PepperDash.Core.JsonToSimpl
// Helpers for events
//******************************************************************************************
- ///
- /// Event helper
- ///
- ///
- ///
- ///
+ ///
+ /// Event helper
+ ///
+ ///
+ ///
+ ///
protected void OnBoolChange(bool state, ushort index, ushort type)
{
var handler = BoolChange;
@@ -387,12 +369,12 @@ namespace PepperDash.Core.JsonToSimpl
}
//******************************************************************************************
- ///
- /// Event helper
- ///
- ///
- ///
- ///
+ ///
+ /// Event helper
+ ///
+ ///
+ ///
+ ///
protected void OnUShortChange(ushort state, ushort index, ushort type)
{
var handler = UShortChange;
@@ -404,12 +386,12 @@ namespace PepperDash.Core.JsonToSimpl
}
}
- ///
- /// Event helper
- ///
- ///
- ///
- ///
+ ///
+ /// Event helper
+ ///
+ ///
+ ///
+ ///
protected void OnStringChange(string value, ushort index, ushort type)
{
var handler = StringChange;
@@ -420,5 +402,4 @@ namespace PepperDash.Core.JsonToSimpl
StringChange(this, args);
}
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/JsonToSimpl/JsonToSimplFileMaster.cs b/src/PepperDash.Core/JsonToSimpl/JsonToSimplFileMaster.cs
index bf44e2b2..a9fa03cd 100644
--- a/src/PepperDash.Core/JsonToSimpl/JsonToSimplFileMaster.cs
+++ b/src/PepperDash.Core/JsonToSimpl/JsonToSimplFileMaster.cs
@@ -11,284 +11,280 @@ using Formatting = NewtonsoftJson::Newtonsoft.Json.Formatting;
using JObject = NewtonsoftJson::Newtonsoft.Json.Linq.JObject;
using JValue = NewtonsoftJson::Newtonsoft.Json.Linq.JValue;
-namespace PepperDash.Core.JsonToSimpl
+namespace PepperDash.Core.JsonToSimpl;
+
+///
+/// Represents a JSON file that can be read and written to
+///
+public class JsonToSimplFileMaster : JsonToSimplMaster
{
///
- /// Represents a JSON file that can be read and written to
+ /// Sets the filepath as well as registers this with the Global.Masters list
///
- public class JsonToSimplFileMaster : JsonToSimplMaster
+ public string Filepath { get; private set; }
+
+ ///
+ /// Filepath to the actual file that will be read (Portal or local)
+ ///
+ public string ActualFilePath { get; private set; }
+
+ ///
+ ///
+ ///
+ public string Filename { get; private set; }
+ ///
+ ///
+ ///
+ public string FilePathName { get; private set; }
+
+ /*****************************************************************************************/
+ /** Privates **/
+
+
+ // The JSON file in JObject form
+ // For gathering the incoming data
+ object StringBuilderLock = new object();
+ // To prevent multiple same-file access
+ static object FileLock = new object();
+
+ /*****************************************************************************************/
+
+ ///
+ /// SIMPL+ default constructor.
+ ///
+ public JsonToSimplFileMaster()
{
- ///
- /// Sets the filepath as well as registers this with the Global.Masters list
- ///
- public string Filepath { get; private set; }
+ }
- ///
- /// Gets or sets the ActualFilePath
- ///
- public string ActualFilePath { get; private set; }
-
- ///
- /// Gets or sets the Filename
- ///
- public string Filename { get; private set; }
- ///
- ///
- ///
- public string FilePathName { get; private set; }
-
- /*****************************************************************************************/
- /** Privates **/
-
-
- // The JSON file in JObject form
- // For gathering the incoming data
- object StringBuilderLock = new object();
- // To prevent multiple same-file access
- static object FileLock = new object();
-
- /*****************************************************************************************/
-
- ///
- /// SIMPL+ default constructor.
- ///
- public JsonToSimplFileMaster()
+ ///
+ /// Read, evaluate and udpate status
+ ///
+ public void EvaluateFile(string filepath)
+ {
+ try
{
- }
+ OnBoolChange(false, 0, JsonToSimplConstants.JsonIsValidBoolChange);
- ///
- /// Read, evaluate and udpate status
- ///
- public void EvaluateFile(string filepath)
- {
- try
+ var dirSeparator = Path.DirectorySeparatorChar;
+ var dirSeparatorAlt = Path.AltDirectorySeparatorChar;
+
+ var series = CrestronEnvironment.ProgramCompatibility;
+
+ var is3Series = (eCrestronSeries.Series3 == (series & eCrestronSeries.Series3));
+ OnBoolChange(is3Series, 0,
+ JsonToSimplConstants.ProgramCompatibility3SeriesChange);
+
+ var is4Series = (eCrestronSeries.Series4 == (series & eCrestronSeries.Series4));
+ OnBoolChange(is4Series, 0,
+ JsonToSimplConstants.ProgramCompatibility4SeriesChange);
+
+ var isServer = CrestronEnvironment.DevicePlatform == eDevicePlatform.Server;
+ OnBoolChange(isServer, 0,
+ JsonToSimplConstants.DevicePlatformValueChange);
+
+ // get the roomID
+ var roomId = Crestron.SimplSharp.InitialParametersClass.RoomId;
+ if (!string.IsNullOrEmpty(roomId))
{
- OnBoolChange(false, 0, JsonToSimplConstants.JsonIsValidBoolChange);
+ OnStringChange(roomId, 0, JsonToSimplConstants.RoomIdChange);
+ }
- var dirSeparator = Path.DirectorySeparatorChar;
- var dirSeparatorAlt = Path.AltDirectorySeparatorChar;
+ // get the roomName
+ var roomName = Crestron.SimplSharp.InitialParametersClass.RoomName;
+ if (!string.IsNullOrEmpty(roomName))
+ {
+ OnStringChange(roomName, 0, JsonToSimplConstants.RoomNameChange);
+ }
- var series = CrestronEnvironment.ProgramCompatibility;
+ var rootDirectory = Directory.GetApplicationRootDirectory();
+ OnStringChange(rootDirectory, 0, JsonToSimplConstants.RootDirectoryChange);
+
+ var splusPath = string.Empty;
+ if (Regex.IsMatch(filepath, @"user", RegexOptions.IgnoreCase))
+ {
+ if (is4Series)
+ splusPath = Regex.Replace(filepath, "user", "user", RegexOptions.IgnoreCase);
+ else if (isServer)
+ splusPath = Regex.Replace(filepath, "user", "User", RegexOptions.IgnoreCase);
+ else
+ splusPath = filepath;
+ }
- var is3Series = (eCrestronSeries.Series3 == (series & eCrestronSeries.Series3));
- OnBoolChange(is3Series, 0,
- JsonToSimplConstants.ProgramCompatibility3SeriesChange);
+ filepath = splusPath.Replace(dirSeparatorAlt, dirSeparator);
+
+ Filepath = string.Format("{1}{0}{2}", dirSeparator, rootDirectory,
+ filepath.TrimStart(dirSeparator, dirSeparatorAlt));
+
+ OnStringChange(string.Format("Attempting to evaluate {0}", Filepath), 0, JsonToSimplConstants.StringValueChange);
- var is4Series = (eCrestronSeries.Series4 == (series & eCrestronSeries.Series4));
- OnBoolChange(is4Series, 0,
- JsonToSimplConstants.ProgramCompatibility4SeriesChange);
+ if (string.IsNullOrEmpty(Filepath))
+ {
+ OnStringChange(string.Format("Cannot evaluate file. JSON file path not set"), 0, JsonToSimplConstants.StringValueChange);
+ CrestronConsole.PrintLine("Cannot evaluate file. JSON file path not set");
+ return;
+ }
- var isServer = CrestronEnvironment.DevicePlatform == eDevicePlatform.Server;
- OnBoolChange(isServer, 0,
- JsonToSimplConstants.DevicePlatformValueChange);
+ // get file directory and name to search
+ var fileDirectory = Path.GetDirectoryName(Filepath);
+ var fileName = Path.GetFileName(Filepath);
- // get the roomID
- var roomId = Crestron.SimplSharp.InitialParametersClass.RoomId;
- if (!string.IsNullOrEmpty(roomId))
+ OnStringChange(string.Format("Checking '{0}' for '{1}'", fileDirectory, fileName), 0, JsonToSimplConstants.StringValueChange);
+ Debug.Console(1, "Checking '{0}' for '{1}'", fileDirectory, fileName);
+
+ if (Directory.Exists(fileDirectory))
+ {
+ // get the directory info
+ var directoryInfo = new DirectoryInfo(fileDirectory);
+
+ // get the file to be read
+ var actualFile = directoryInfo.GetFiles(fileName).FirstOrDefault();
+ if (actualFile == null)
{
- OnStringChange(roomId, 0, JsonToSimplConstants.RoomIdChange);
- }
-
- // get the roomName
- var roomName = Crestron.SimplSharp.InitialParametersClass.RoomName;
- if (!string.IsNullOrEmpty(roomName))
- {
- OnStringChange(roomName, 0, JsonToSimplConstants.RoomNameChange);
- }
-
- var rootDirectory = Directory.GetApplicationRootDirectory();
- OnStringChange(rootDirectory, 0, JsonToSimplConstants.RootDirectoryChange);
-
- var splusPath = string.Empty;
- if (Regex.IsMatch(filepath, @"user", RegexOptions.IgnoreCase))
- {
- if (is4Series)
- splusPath = Regex.Replace(filepath, "user", "user", RegexOptions.IgnoreCase);
- else if (isServer)
- splusPath = Regex.Replace(filepath, "user", "User", RegexOptions.IgnoreCase);
- else
- splusPath = filepath;
- }
-
- filepath = splusPath.Replace(dirSeparatorAlt, dirSeparator);
-
- Filepath = string.Format("{1}{0}{2}", dirSeparator, rootDirectory,
- filepath.TrimStart(dirSeparator, dirSeparatorAlt));
-
- OnStringChange(string.Format("Attempting to evaluate {0}", Filepath), 0, JsonToSimplConstants.StringValueChange);
-
- if (string.IsNullOrEmpty(Filepath))
- {
- OnStringChange(string.Format("Cannot evaluate file. JSON file path not set"), 0, JsonToSimplConstants.StringValueChange);
- CrestronConsole.PrintLine("Cannot evaluate file. JSON file path not set");
+ var msg = string.Format("JSON file not found: {0}", Filepath);
+ OnStringChange(msg, 0, JsonToSimplConstants.StringValueChange);
+ CrestronConsole.PrintLine(msg);
+ ErrorLog.Error(msg);
return;
}
- // get file directory and name to search
- var fileDirectory = Path.GetDirectoryName(Filepath);
- var fileName = Path.GetFileName(Filepath);
+ // \xSE\xR\PDT000-Template_Main_Config-Combined_DSP_v00.02.json
+ // \USER\PDT000-Template_Main_Config-Combined_DSP_v00.02.json
+ ActualFilePath = actualFile.FullName;
+ OnStringChange(ActualFilePath, 0, JsonToSimplConstants.ActualFilePathChange);
+ OnStringChange(string.Format("Actual JSON file is {0}", ActualFilePath), 0, JsonToSimplConstants.StringValueChange);
+ Debug.Console(1, "Actual JSON file is {0}", ActualFilePath);
- OnStringChange(string.Format("Checking '{0}' for '{1}'", fileDirectory, fileName), 0, JsonToSimplConstants.StringValueChange);
- Debug.Console(1, "Checking '{0}' for '{1}'", fileDirectory, fileName);
-
- if (Directory.Exists(fileDirectory))
- {
- // get the directory info
- var directoryInfo = new DirectoryInfo(fileDirectory);
-
- // get the file to be read
- var actualFile = directoryInfo.GetFiles(fileName).FirstOrDefault();
- if (actualFile == null)
- {
- var msg = string.Format("JSON file not found: {0}", Filepath);
- OnStringChange(msg, 0, JsonToSimplConstants.StringValueChange);
- CrestronConsole.PrintLine(msg);
- ErrorLog.Error(msg);
- return;
- }
-
- // \xSE\xR\PDT000-Template_Main_Config-Combined_DSP_v00.02.json
- // \USER\PDT000-Template_Main_Config-Combined_DSP_v00.02.json
- ActualFilePath = actualFile.FullName;
- OnStringChange(ActualFilePath, 0, JsonToSimplConstants.ActualFilePathChange);
- OnStringChange(string.Format("Actual JSON file is {0}", ActualFilePath), 0, JsonToSimplConstants.StringValueChange);
- Debug.Console(1, "Actual JSON file is {0}", ActualFilePath);
-
- Filename = actualFile.Name;
- OnStringChange(Filename, 0, JsonToSimplConstants.FilenameResolvedChange);
- OnStringChange(string.Format("JSON Filename is {0}", Filename), 0, JsonToSimplConstants.StringValueChange);
- Debug.Console(1, "JSON Filename is {0}", Filename);
+ Filename = actualFile.Name;
+ OnStringChange(Filename, 0, JsonToSimplConstants.FilenameResolvedChange);
+ OnStringChange(string.Format("JSON Filename is {0}", Filename), 0, JsonToSimplConstants.StringValueChange);
+ Debug.Console(1, "JSON Filename is {0}", Filename);
- FilePathName = string.Format(@"{0}{1}", actualFile.DirectoryName, dirSeparator);
- OnStringChange(string.Format(@"{0}", actualFile.DirectoryName), 0, JsonToSimplConstants.FilePathResolvedChange);
- OnStringChange(string.Format(@"JSON File Path is {0}", actualFile.DirectoryName), 0, JsonToSimplConstants.StringValueChange);
- Debug.Console(1, "JSON File Path is {0}", FilePathName);
+ FilePathName = string.Format(@"{0}{1}", actualFile.DirectoryName, dirSeparator);
+ OnStringChange(string.Format(@"{0}", actualFile.DirectoryName), 0, JsonToSimplConstants.FilePathResolvedChange);
+ OnStringChange(string.Format(@"JSON File Path is {0}", actualFile.DirectoryName), 0, JsonToSimplConstants.StringValueChange);
+ Debug.Console(1, "JSON File Path is {0}", FilePathName);
- var json = File.ReadToEnd(ActualFilePath, System.Text.Encoding.ASCII);
+ var json = File.ReadToEnd(ActualFilePath, System.Text.Encoding.ASCII);
- JsonObject = JObject.Parse(json);
- foreach (var child in Children)
- child.ProcessAll();
+ JsonObject = JObject.Parse(json);
+ foreach (var child in Children)
+ child.ProcessAll();
- OnBoolChange(true, 0, JsonToSimplConstants.JsonIsValidBoolChange);
- }
- else
- {
- OnStringChange(string.Format("'{0}' not found", fileDirectory), 0, JsonToSimplConstants.StringValueChange);
- Debug.Console(1, "'{0}' not found", fileDirectory);
- }
+ OnBoolChange(true, 0, JsonToSimplConstants.JsonIsValidBoolChange);
}
- catch (Exception e)
+ else
{
- var msg = string.Format("EvaluateFile Exception: Message\r{0}", e.Message);
- OnStringChange(msg, 0, JsonToSimplConstants.StringValueChange);
- CrestronConsole.PrintLine(msg);
- ErrorLog.Error(msg);
-
- var stackTrace = string.Format("EvaluateFile: Stack Trace\r{0}", e.StackTrace);
- OnStringChange(stackTrace, 0, JsonToSimplConstants.StringValueChange);
- CrestronConsole.PrintLine(stackTrace);
- ErrorLog.Error(stackTrace);
+ OnStringChange(string.Format("'{0}' not found", fileDirectory), 0, JsonToSimplConstants.StringValueChange);
+ Debug.Console(1, "'{0}' not found", fileDirectory);
}
}
-
-
- ///
- /// Sets the debug level
- ///
- ///
- ///
- /// setDebugLevel method
- ///
- public void setDebugLevel(uint level)
+ catch (Exception e)
{
- Debug.SetDebugLevel(level);
+ var msg = string.Format("EvaluateFile Exception: Message\r{0}", e.Message);
+ OnStringChange(msg, 0, JsonToSimplConstants.StringValueChange);
+ CrestronConsole.PrintLine(msg);
+ ErrorLog.Error(msg);
+
+ var stackTrace = string.Format("EvaluateFile: Stack Trace\r{0}", e.StackTrace);
+ OnStringChange(stackTrace, 0, JsonToSimplConstants.StringValueChange);
+ CrestronConsole.PrintLine(stackTrace);
+ ErrorLog.Error(stackTrace);
+ }
+ }
+
+
+ ///
+ /// Sets the debug level
+ ///
+ ///
+ public void setDebugLevel(uint level)
+ {
+ Debug.SetDebugLevel(level);
+ }
+
+ ///
+ /// Saves the values to the file
+ ///
+ public override void Save()
+ {
+ // this code is duplicated in the other masters!!!!!!!!!!!!!
+ UnsavedValues = new Dictionary();
+ // Make each child update their values into master object
+ foreach (var child in Children)
+ {
+ Debug.Console(1, "Master [{0}] checking child [{1}] for updates to save", UniqueID, child.Key);
+ child.UpdateInputsForMaster();
}
- ///
- /// Saves the values to the file
- ///
- public override void Save()
+ if (UnsavedValues == null || UnsavedValues.Count == 0)
{
- // this code is duplicated in the other masters!!!!!!!!!!!!!
- UnsavedValues = new Dictionary();
- // Make each child update their values into master object
- foreach (var child in Children)
+ Debug.Console(1, "Master [{0}] No updated values to save. Skipping", UniqueID);
+ return;
+ }
+ lock (FileLock)
+ {
+ Debug.Console(1, "Saving");
+ foreach (var path in UnsavedValues.Keys)
{
- Debug.Console(1, "Master [{0}] checking child [{1}] for updates to save", UniqueID, child.Key);
- child.UpdateInputsForMaster();
- }
-
- if (UnsavedValues == null || UnsavedValues.Count == 0)
- {
- Debug.Console(1, "Master [{0}] No updated values to save. Skipping", UniqueID);
- return;
- }
- lock (FileLock)
- {
- Debug.Console(1, "Saving");
- foreach (var path in UnsavedValues.Keys)
- {
- var tokenToReplace = JsonObject.SelectToken(path);
- if (tokenToReplace != null)
- {// It's found
- tokenToReplace.Replace(UnsavedValues[path]);
- Debug.Console(1, "JSON Master[{0}] Updating '{1}'", UniqueID, path);
- }
- else // No token. Let's make one
- {
- //http://stackoverflow.com/questions/17455052/how-to-set-the-value-of-a-json-path-using-json-net
- Debug.Console(1, "JSON Master[{0}] Cannot write value onto missing property: '{1}'", UniqueID, path);
-
- // JContainer jpart = JsonObject;
- // // walk down the path and find where it goes
- //#warning Does not handle arrays.
- // foreach (var part in path.Split('.'))
- // {
-
- // var openPos = part.IndexOf('[');
- // if (openPos > -1)
- // {
- // openPos++; // move to number
- // var closePos = part.IndexOf(']');
- // var arrayName = part.Substring(0, openPos - 1); // get the name
- // var index = Convert.ToInt32(part.Substring(openPos, closePos - openPos));
-
- // // Check if the array itself exists and add the item if so
- // if (jpart[arrayName] != null)
- // {
- // var arrayObj = jpart[arrayName] as JArray;
- // var item = arrayObj[index];
- // if (item == null)
- // arrayObj.Add(new JObject());
- // }
-
- // Debug.Console(0, "IGNORING MISSING ARRAY VALUE FOR NOW");
- // continue;
- // }
- // // Build the
- // if (jpart[part] == null)
- // jpart.Add(new JProperty(part, new JObject()));
- // jpart = jpart[part] as JContainer;
- // }
- // jpart.Replace(UnsavedValues[path]);
- }
+ var tokenToReplace = JsonObject.SelectToken(path);
+ if (tokenToReplace != null)
+ {// It's found
+ tokenToReplace.Replace(UnsavedValues[path]);
+ Debug.Console(1, "JSON Master[{0}] Updating '{1}'", UniqueID, path);
}
- using (StreamWriter sw = new StreamWriter(ActualFilePath))
+ else // No token. Let's make one
{
- try
- {
- sw.Write(JsonObject.ToString());
- sw.Flush();
- }
- catch (Exception e)
- {
- string err = string.Format("Error writing JSON file:\r{0}", e);
- Debug.Console(0, err);
- ErrorLog.Warn(err);
- return;
- }
+ //http://stackoverflow.com/questions/17455052/how-to-set-the-value-of-a-json-path-using-json-net
+ Debug.Console(1, "JSON Master[{0}] Cannot write value onto missing property: '{1}'", UniqueID, path);
+
+ // JContainer jpart = JsonObject;
+ // // walk down the path and find where it goes
+ //#warning Does not handle arrays.
+ // foreach (var part in path.Split('.'))
+ // {
+
+ // var openPos = part.IndexOf('[');
+ // if (openPos > -1)
+ // {
+ // openPos++; // move to number
+ // var closePos = part.IndexOf(']');
+ // var arrayName = part.Substring(0, openPos - 1); // get the name
+ // var index = Convert.ToInt32(part.Substring(openPos, closePos - openPos));
+
+ // // Check if the array itself exists and add the item if so
+ // if (jpart[arrayName] != null)
+ // {
+ // var arrayObj = jpart[arrayName] as JArray;
+ // var item = arrayObj[index];
+ // if (item == null)
+ // arrayObj.Add(new JObject());
+ // }
+
+ // Debug.Console(0, "IGNORING MISSING ARRAY VALUE FOR NOW");
+ // continue;
+ // }
+ // // Build the
+ // if (jpart[part] == null)
+ // jpart.Add(new JProperty(part, new JObject()));
+ // jpart = jpart[part] as JContainer;
+ // }
+ // jpart.Replace(UnsavedValues[path]);
+ }
+ }
+ using (StreamWriter sw = new StreamWriter(ActualFilePath))
+ {
+ try
+ {
+ sw.Write(JsonObject.ToString());
+ sw.Flush();
+ }
+ catch (Exception e)
+ {
+ string err = string.Format("Error writing JSON file:\r{0}", e);
+ Debug.Console(0, err);
+ ErrorLog.Warn(err);
+ return;
}
}
}
diff --git a/src/PepperDash.Core/JsonToSimpl/JsonToSimplFixedPathObject.cs b/src/PepperDash.Core/JsonToSimpl/JsonToSimplFixedPathObject.cs
index 9fa8ba01..6338e309 100644
--- a/src/PepperDash.Core/JsonToSimpl/JsonToSimplFixedPathObject.cs
+++ b/src/PepperDash.Core/JsonToSimpl/JsonToSimplFixedPathObject.cs
@@ -1,18 +1,17 @@
-namespace PepperDash.Core.JsonToSimpl
-{
- ///
- /// Represents a JsonToSimplFixedPathObject
- ///
+namespace PepperDash.Core.JsonToSimpl;
+
+///
+///
+///
public class JsonToSimplFixedPathObject : JsonToSimplChildObjectBase
{
- ///
- /// Constructor
- ///
+ ///
+ /// Constructor
+ ///
public JsonToSimplFixedPathObject()
{
this.LinkedToObject = true;
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/JsonToSimpl/JsonToSimplGenericMaster.cs b/src/PepperDash.Core/JsonToSimpl/JsonToSimplGenericMaster.cs
index c065f577..151773d9 100644
--- a/src/PepperDash.Core/JsonToSimpl/JsonToSimplGenericMaster.cs
+++ b/src/PepperDash.Core/JsonToSimpl/JsonToSimplGenericMaster.cs
@@ -6,35 +6,35 @@ using Crestron.SimplSharp;
using JObject = NewtonsoftJson::Newtonsoft.Json.Linq.JObject;
using JValue = NewtonsoftJson::Newtonsoft.Json.Linq.JValue;
-namespace PepperDash.Core.JsonToSimpl
-{
- ///
- /// Represents a JsonToSimplGenericMaster
- ///
+namespace PepperDash.Core.JsonToSimpl;
+
+///
+/// Generic Master
+///
public class JsonToSimplGenericMaster : JsonToSimplMaster
- {
+{
/*****************************************************************************************/
/** Privates **/
-
+
// The JSON file in JObject form
// For gathering the incoming data
object StringBuilderLock = new object();
// To prevent multiple same-file access
static object WriteLock = new object();
- ///
- /// Gets or sets the SaveCallback
- ///
+ ///
+ /// Callback action for saving
+ ///
public Action SaveCallback { get; set; }
/*****************************************************************************************/
///
- /// SIMPL+ default constructor.
- ///
+ /// SIMPL+ default constructor.
+ ///
public JsonToSimplGenericMaster()
- {
+ {
}
///
@@ -85,7 +85,7 @@ namespace PepperDash.Core.JsonToSimpl
public override void Save()
{
// this code is duplicated in the other masters!!!!!!!!!!!!!
- UnsavedValues = new Dictionary();
+ UnsavedValues = new Dictionary();
// Make each child update their values into master object
foreach (var child in Children)
{
@@ -121,5 +121,4 @@ namespace PepperDash.Core.JsonToSimpl
else
Debug.Console(0, this, "WARNING: No save callback defined.");
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/JsonToSimpl/JsonToSimplMaster.cs b/src/PepperDash.Core/JsonToSimpl/JsonToSimplMaster.cs
index fcf6e0f8..2eb2a1d7 100644
--- a/src/PepperDash.Core/JsonToSimpl/JsonToSimplMaster.cs
+++ b/src/PepperDash.Core/JsonToSimpl/JsonToSimplMaster.cs
@@ -11,29 +11,29 @@ using JValue = NewtonsoftJson::Newtonsoft.Json.Linq.JValue;
using JsonSerializationException = NewtonsoftJson::Newtonsoft.Json.JsonSerializationException;
using JsonTextReader = NewtonsoftJson::Newtonsoft.Json.JsonTextReader;
-namespace PepperDash.Core.JsonToSimpl
-{
- ///
- /// Abstract base class for JsonToSimpl interactions
- ///
+namespace PepperDash.Core.JsonToSimpl;
+
+///
+/// Abstract base class for JsonToSimpl interactions
+///
public abstract class JsonToSimplMaster : IKeyed
{
- ///
- /// Notifies of bool change
- ///
+ ///
+ /// Notifies of bool change
+ ///
public event EventHandler BoolChange;
- ///
- /// Notifies of ushort change
- ///
+ ///
+ /// Notifies of ushort change
+ ///
public event EventHandler UshrtChange;
- ///
- /// Notifies of string change
- ///
+ ///
+ /// Notifies of string change
+ ///
public event EventHandler StringChange;
- ///
- /// A collection of associated child modules
- ///
+ ///
+ /// A collection of associated child modules
+ ///
protected List Children = new List();
/*****************************************************************************************/
@@ -43,9 +43,9 @@ namespace PepperDash.Core.JsonToSimpl
///
public string Key { get { return UniqueID; } }
- ///
- /// Gets or sets the UniqueID
- ///
+ ///
+ /// A unique ID
+ ///
public string UniqueID { get; protected set; }
///
@@ -87,9 +87,9 @@ namespace PepperDash.Core.JsonToSimpl
}
}
- ///
- /// Gets or sets the JsonObject
- ///
+ ///
+ ///
+ ///
public JObject JsonObject { get; protected set; }
/*****************************************************************************************/
@@ -149,9 +149,9 @@ namespace PepperDash.Core.JsonToSimpl
//Debug.Console(0, "Master[{0}] Unsaved size={1}", UniqueID, UnsavedValues.Count);
}
- ///
- /// Saves the file
- ///
+ ///
+ /// Saves the file
+ ///
public abstract void Save();
@@ -160,14 +160,14 @@ namespace PepperDash.Core.JsonToSimpl
///
public static class JsonFixes
{
- ///
- /// Deserializes a string into a JObject
- ///
- ///
- ///
+ ///
+ /// Deserializes a string into a JObject
+ ///
+ ///
+ ///
public static JObject ParseObject(string json)
{
- using (var reader = new JsonTextReader(new System.IO.StringReader(json)))
+ using (var reader = new JsonTextReader(new System.IO.StringReader(json)))
{
var startDepth = reader.Depth;
var obj = JObject.Load(reader);
@@ -177,18 +177,15 @@ namespace PepperDash.Core.JsonToSimpl
}
}
- ///
- /// Deserializes a string into a JArray
- ///
- ///
- ///
- ///
- /// ParseArray method
- ///
+ ///
+ /// Deserializes a string into a JArray
+ ///
+ ///
+ ///
public static JArray ParseArray(string json)
{
- using (var reader = new JsonTextReader(new System.IO.StringReader(json)))
+ using (var reader = new JsonTextReader(new System.IO.StringReader(json)))
{
var startDepth = reader.Depth;
var obj = JArray.Load(reader);
@@ -231,12 +228,12 @@ namespace PepperDash.Core.JsonToSimpl
}
}
- ///
- /// Helper event
- ///
- ///
- ///
- ///
+ ///
+ /// Helper event
+ ///
+ ///
+ ///
+ ///
protected void OnStringChange(string value, ushort index, ushort type)
{
if (StringChange != null)
@@ -247,4 +244,3 @@ namespace PepperDash.Core.JsonToSimpl
}
}
}
-}
diff --git a/src/PepperDash.Core/JsonToSimpl/JsonToSimplPortalFileMaster.cs b/src/PepperDash.Core/JsonToSimpl/JsonToSimplPortalFileMaster.cs
index acadc99a..caba1c9b 100644
--- a/src/PepperDash.Core/JsonToSimpl/JsonToSimplPortalFileMaster.cs
+++ b/src/PepperDash.Core/JsonToSimpl/JsonToSimplPortalFileMaster.cs
@@ -9,22 +9,22 @@ using JObject = NewtonsoftJson::Newtonsoft.Json.Linq.JObject;
using JValue = NewtonsoftJson::Newtonsoft.Json.Linq.JValue;
using PepperDash.Core.Config;
-namespace PepperDash.Core.JsonToSimpl
+namespace PepperDash.Core.JsonToSimpl;
+
+///
+/// Portal File Master
+///
+public class JsonToSimplPortalFileMaster : JsonToSimplMaster
{
- ///
- /// Portal File Master
- ///
- public class JsonToSimplPortalFileMaster : JsonToSimplMaster
- {
///
/// Sets the filepath as well as registers this with the Global.Masters list
///
public string PortalFilepath { get; private set; }
- ///
- /// Gets or sets the ActualFilePath
- ///
- public string ActualFilePath { get; private set; }
+ ///
+ /// File path of the actual file being read (Portal or local)
+ ///
+ public string ActualFilePath { get; private set; }
/*****************************************************************************************/
/** Privates **/
@@ -36,10 +36,10 @@ namespace PepperDash.Core.JsonToSimpl
/*****************************************************************************************/
///
- /// SIMPL+ default constructor.
- ///
+ /// SIMPL+ default constructor.
+ ///
public JsonToSimplPortalFileMaster()
- {
+ {
}
///
@@ -67,7 +67,7 @@ namespace PepperDash.Core.JsonToSimpl
if (actualLocalFile != null)
{
ActualFilePath = actualLocalFile.FullName;
- OnStringChange(ActualFilePath, 0, JsonToSimplConstants.ActualFilePathChange);
+ OnStringChange(ActualFilePath, 0, JsonToSimplConstants.ActualFilePathChange);
}
// If the local file does not exist, then read the portal file xyz.json
// and create the local.
@@ -81,7 +81,7 @@ namespace PepperDash.Core.JsonToSimpl
// got the portal file, hand off to the merge / save method
PortalConfigReader.ReadAndMergeFileIfNecessary(actualPortalFile.FullName, newLocalPath);
ActualFilePath = newLocalPath;
- OnStringChange(ActualFilePath, 0, JsonToSimplConstants.ActualFilePathChange);
+ OnStringChange(ActualFilePath, 0, JsonToSimplConstants.ActualFilePathChange);
}
else
{
@@ -194,4 +194,3 @@ namespace PepperDash.Core.JsonToSimpl
}
}
}
-}
diff --git a/src/PepperDash.Core/Logging/CrestronEnricher.cs b/src/PepperDash.Core/Logging/CrestronEnricher.cs
index c25306ca..1f879925 100644
--- a/src/PepperDash.Core/Logging/CrestronEnricher.cs
+++ b/src/PepperDash.Core/Logging/CrestronEnricher.cs
@@ -7,37 +7,30 @@ using System.Linq;
using System.Text;
using System.Threading.Tasks;
-namespace PepperDash.Core.Logging
+namespace PepperDash.Core.Logging;
+
+public class CrestronEnricher : ILogEventEnricher
{
- ///
- /// Represents a CrestronEnricher
- ///
- public class CrestronEnricher : ILogEventEnricher
+ static readonly string _appName;
+
+ static CrestronEnricher()
{
- static readonly string _appName;
-
- static CrestronEnricher()
+ switch (CrestronEnvironment.DevicePlatform)
{
- switch (CrestronEnvironment.DevicePlatform)
- {
- case eDevicePlatform.Appliance:
- _appName = $"App {InitialParametersClass.ApplicationNumber}";
- break;
- case eDevicePlatform.Server:
- _appName = $"{InitialParametersClass.RoomId}";
- break;
- }
- }
-
-
- ///
- /// Enrich method
- ///
- public void Enrich(LogEvent logEvent, ILogEventPropertyFactory propertyFactory)
- {
- var property = propertyFactory.CreateProperty("App", _appName);
-
- logEvent.AddOrUpdateProperty(property);
+ case eDevicePlatform.Appliance:
+ _appName = $"App {InitialParametersClass.ApplicationNumber}";
+ break;
+ case eDevicePlatform.Server:
+ _appName = $"{InitialParametersClass.RoomId}";
+ break;
}
}
+
+
+ public void Enrich(LogEvent logEvent, ILogEventPropertyFactory propertyFactory)
+ {
+ var property = propertyFactory.CreateProperty("App", _appName);
+
+ logEvent.AddOrUpdateProperty(property);
+ }
}
diff --git a/src/PepperDash.Core/Logging/Debug.cs b/src/PepperDash.Core/Logging/Debug.cs
index 49d55eb4..6e4fb37d 100644
--- a/src/PepperDash.Core/Logging/Debug.cs
+++ b/src/PepperDash.Core/Logging/Debug.cs
@@ -20,8 +20,8 @@ using Serilog.Formatting.Compact;
using Serilog.Formatting.Json;
using Serilog.Templates;
-namespace PepperDash.Core
-{
+namespace PepperDash.Core;
+
///
///
public static class Debug
@@ -1238,6 +1238,5 @@ namespace PepperDash.Core
/// None
///
None,
- }
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/Logging/DebugConsoleSink.cs b/src/PepperDash.Core/Logging/DebugConsoleSink.cs
index 6363caa5..5e32a8a5 100644
--- a/src/PepperDash.Core/Logging/DebugConsoleSink.cs
+++ b/src/PepperDash.Core/Logging/DebugConsoleSink.cs
@@ -9,56 +9,45 @@ using System.IO;
using System.Text;
-namespace PepperDash.Core
+namespace PepperDash.Core;
+
+public class DebugConsoleSink : ILogEventSink
{
- ///
- /// Represents a DebugConsoleSink
- ///
- public class DebugConsoleSink : ILogEventSink
+ private readonly ITextFormatter _textFormatter;
+
+ public void Emit(LogEvent logEvent)
{
- private readonly ITextFormatter _textFormatter;
+ if (!Debug.IsRunningOnAppliance) return;
- ///
- /// Emit method
- ///
- public void Emit(LogEvent logEvent)
+ /*string message = $"[{logEvent.Timestamp}][{logEvent.Level}][App {InitialParametersClass.ApplicationNumber}]{logEvent.RenderMessage()}";
+
+ if(logEvent.Properties.TryGetValue("Key",out var value) && value is ScalarValue sv && sv.Value is string rawValue)
{
- if (!Debug.IsRunningOnAppliance) return;
+ message = $"[{logEvent.Timestamp}][{logEvent.Level}][App {InitialParametersClass.ApplicationNumber}][{rawValue,3}]: {logEvent.RenderMessage()}";
+ }*/
- /*string message = $"[{logEvent.Timestamp}][{logEvent.Level}][App {InitialParametersClass.ApplicationNumber}]{logEvent.RenderMessage()}";
+ var buffer = new StringWriter(new StringBuilder(256));
- if(logEvent.Properties.TryGetValue("Key",out var value) && value is ScalarValue sv && sv.Value is string rawValue)
- {
- message = $"[{logEvent.Timestamp}][{logEvent.Level}][App {InitialParametersClass.ApplicationNumber}][{rawValue,3}]: {logEvent.RenderMessage()}";
- }*/
+ _textFormatter.Format(logEvent, buffer);
- var buffer = new StringWriter(new StringBuilder(256));
-
- _textFormatter.Format(logEvent, buffer);
-
- var message = buffer.ToString();
-
- CrestronConsole.PrintLine(message);
- }
-
- public DebugConsoleSink(ITextFormatter formatProvider )
- {
- _textFormatter = formatProvider ?? new JsonFormatter();
- }
+ var message = buffer.ToString();
+ CrestronConsole.PrintLine(message);
}
- public static class DebugConsoleSinkExtensions
+ public DebugConsoleSink(ITextFormatter formatProvider )
{
- ///
- /// DebugConsoleSink method
- ///
- public static LoggerConfiguration DebugConsoleSink(
- this LoggerSinkConfiguration loggerConfiguration,
- ITextFormatter formatProvider = null)
- {
- return loggerConfiguration.Sink(new DebugConsoleSink(formatProvider));
- }
+ _textFormatter = formatProvider ?? new JsonFormatter();
}
}
+
+public static class DebugConsoleSinkExtensions
+{
+ public static LoggerConfiguration DebugConsoleSink(
+ this LoggerSinkConfiguration loggerConfiguration,
+ ITextFormatter formatProvider = null)
+ {
+ return loggerConfiguration.Sink(new DebugConsoleSink(formatProvider));
+ }
+}
diff --git a/src/PepperDash.Core/Logging/DebugContext.cs b/src/PepperDash.Core/Logging/DebugContext.cs
index cdea6837..117140ab 100644
--- a/src/PepperDash.Core/Logging/DebugContext.cs
+++ b/src/PepperDash.Core/Logging/DebugContext.cs
@@ -9,288 +9,275 @@ using Formatting = NewtonsoftJson::Newtonsoft.Json.Formatting;
using JsonConvert = NewtonsoftJson::Newtonsoft.Json.JsonConvert;
-namespace PepperDash.Core
+namespace PepperDash.Core;
+
+///
+/// Represents a debugging context
+///
+public class DebugContext
{
///
- /// Represents a debugging context
+ /// Describes the folder location where a given program stores it's debug level memory. By default, the
+ /// file written will be named appNdebug where N is 1-10.
///
- public class DebugContext
+ public string Key { get; private set; }
+
+ /////
+ ///// The name of the file containing the current debug settings.
+ /////
+ //string FileName = string.Format(@"\nvram\debug\app{0}Debug.json", InitialParametersClass.ApplicationNumber);
+
+ DebugContextSaveData SaveData;
+
+ int SaveTimeoutMs = 30000;
+
+ CTimer SaveTimer;
+
+
+ static List Contexts = new List();
+
+ ///
+ /// Creates or gets a debug context
+ ///
+ ///
+ ///
+ public static DebugContext GetDebugContext(string key)
{
- ///
- /// Describes the folder location where a given program stores it's debug level memory. By default, the
- /// file written will be named appNdebug where N is 1-10.
- ///
- public string Key { get; private set; }
-
- ///
- /// The name of the file containing the current debug settings.
- ///
- //string FileName = string.Format(@"\nvram\debug\app{0}Debug.json", InitialParametersClass.ApplicationNumber);
-
- DebugContextSaveData SaveData;
-
- int SaveTimeoutMs = 30000;
-
- CTimer SaveTimer;
-
-
- static List Contexts = new List();
-
- ///
- /// Creates or gets a debug context
- ///
- ///
- ///
- ///
- /// GetDebugContext method
- ///
- public static DebugContext GetDebugContext(string key)
+ var context = Contexts.FirstOrDefault(c => c.Key.Equals(key, StringComparison.OrdinalIgnoreCase));
+ if (context == null)
{
- var context = Contexts.FirstOrDefault(c => c.Key.Equals(key, StringComparison.OrdinalIgnoreCase));
- if (context == null)
- {
- context = new DebugContext(key);
- Contexts.Add(context);
- }
- return context;
+ context = new DebugContext(key);
+ Contexts.Add(context);
+ }
+ return context;
+ }
+
+ ///
+ /// Do not use. For S+ access.
+ ///
+ public DebugContext() { }
+
+ DebugContext(string key)
+ {
+ Key = key;
+ if (CrestronEnvironment.RuntimeEnvironment == eRuntimeEnvironment.SimplSharpPro)
+ {
+ // Add command to console
+ CrestronConsole.AddNewConsoleCommand(SetDebugFromConsole, "appdebug",
+ "appdebug:P [0-2]: Sets the application's console debug message level",
+ ConsoleAccessLevelEnum.AccessOperator);
}
- ///
- /// Do not use. For S+ access.
- ///
- public DebugContext() { }
+ CrestronEnvironment.ProgramStatusEventHandler += CrestronEnvironment_ProgramStatusEventHandler;
- DebugContext(string key)
+ LoadMemory();
+ }
+
+ ///
+ /// Used to save memory when shutting down
+ ///
+ ///
+ void CrestronEnvironment_ProgramStatusEventHandler(eProgramStatusEventType programEventType)
+ {
+ if (programEventType == eProgramStatusEventType.Stopping)
{
- Key = key;
- if (CrestronEnvironment.RuntimeEnvironment == eRuntimeEnvironment.SimplSharpPro)
+ if (SaveTimer != null)
{
- // Add command to console
- CrestronConsole.AddNewConsoleCommand(SetDebugFromConsole, "appdebug",
- "appdebug:P [0-2]: Sets the application's console debug message level",
- ConsoleAccessLevelEnum.AccessOperator);
+ SaveTimer.Stop();
+ SaveTimer = null;
+ }
+ Console(0, "Saving debug settings");
+ SaveMemory();
+ }
+ }
+
+ ///
+ /// Callback for console command
+ ///
+ ///
+ public void SetDebugFromConsole(string levelString)
+ {
+ try
+ {
+ if (string.IsNullOrEmpty(levelString.Trim()))
+ {
+ CrestronConsole.ConsoleCommandResponse("AppDebug level = {0}", SaveData.Level);
+ return;
}
- CrestronEnvironment.ProgramStatusEventHandler += CrestronEnvironment_ProgramStatusEventHandler;
-
- LoadMemory();
+ SetDebugLevel(Convert.ToInt32(levelString));
}
-
- ///
- /// Used to save memory when shutting down
- ///
- ///
- void CrestronEnvironment_ProgramStatusEventHandler(eProgramStatusEventType programEventType)
+ catch
{
- if (programEventType == eProgramStatusEventType.Stopping)
- {
- if (SaveTimer != null)
- {
- SaveTimer.Stop();
- SaveTimer = null;
- }
- Console(0, "Saving debug settings");
- SaveMemory();
- }
+ CrestronConsole.PrintLine("Usage: appdebug:P [0-2]");
}
+ }
- ///
- /// Callback for console command
- ///
- ///
- ///
- /// SetDebugFromConsole method
- ///
- public void SetDebugFromConsole(string levelString)
+ ///
+ /// Sets the debug level
+ ///
+ /// Valid values 0 (no debug), 1 (critical), 2 (all messages)
+ public void SetDebugLevel(int level)
+ {
+ if (level <= 2)
{
- try
- {
- if (string.IsNullOrEmpty(levelString.Trim()))
- {
- CrestronConsole.ConsoleCommandResponse("AppDebug level = {0}", SaveData.Level);
- return;
- }
+ SaveData.Level = level;
+ SaveMemoryOnTimeout();
- SetDebugLevel(Convert.ToInt32(levelString));
- }
- catch
- {
- CrestronConsole.PrintLine("Usage: appdebug:P [0-2]");
- }
+ CrestronConsole.PrintLine("[Application {0}], Debug level set to {1}",
+ InitialParametersClass.ApplicationNumber, SaveData.Level);
}
+ }
- ///
- /// Sets the debug level
- ///
- /// Valid values 0 (no debug), 1 (critical), 2 (all messages)
- ///
- /// SetDebugLevel method
- ///
- public void SetDebugLevel(int level)
+ ///
+ /// Prints message to console if current debug level is equal to or higher than the level of this message.
+ /// Uses CrestronConsole.PrintLine.
+ ///
+ ///
+ /// Console format string
+ /// Object parameters
+ public void Console(uint level, string format, params object[] items)
+ {
+ if (SaveData.Level >= level)
+ CrestronConsole.PrintLine("App {0}:{1}", InitialParametersClass.ApplicationNumber,
+ string.Format(format, items));
+ }
+
+ ///
+ /// Appends a device Key to the beginning of a message
+ ///
+ public void Console(uint level, IKeyed dev, string format, params object[] items)
+ {
+ if (SaveData.Level >= level)
+ Console(level, "[{0}] {1}", dev.Key, string.Format(format, items));
+ }
+
+ ///
+ ///
+ ///
+ ///
+ ///
+ ///
+ ///
+ ///
+ public void Console(uint level, IKeyed dev, Debug.ErrorLogLevel errorLogLevel,
+ string format, params object[] items)
+ {
+ if (SaveData.Level >= level)
{
- if (level <= 2)
- {
- SaveData.Level = level;
- SaveMemoryOnTimeout();
-
- CrestronConsole.PrintLine("[Application {0}], Debug level set to {1}",
- InitialParametersClass.ApplicationNumber, SaveData.Level);
- }
- }
-
- ///
- /// Prints message to console if current debug level is equal to or higher than the level of this message.
- /// Uses CrestronConsole.PrintLine.
- ///
- ///
- /// Console format string
- /// Object parameters
- public void Console(uint level, string format, params object[] items)
- {
- if (SaveData.Level >= level)
- CrestronConsole.PrintLine("App {0}:{1}", InitialParametersClass.ApplicationNumber,
- string.Format(format, items));
- }
-
- ///
- /// Console method
- ///
- public void Console(uint level, IKeyed dev, string format, params object[] items)
- {
- if (SaveData.Level >= level)
- Console(level, "[{0}] {1}", dev.Key, string.Format(format, items));
- }
-
- ///
- ///
- ///
- ///
- ///
- ///
- ///
- ///
- public void Console(uint level, IKeyed dev, Debug.ErrorLogLevel errorLogLevel,
- string format, params object[] items)
- {
- if (SaveData.Level >= level)
- {
- var str = string.Format("[{0}] {1}", dev.Key, string.Format(format, items));
- Console(level, str);
- LogError(errorLogLevel, str);
- }
- }
-
- ///
- ///
- ///
- ///
- ///
- ///
- ///
- public void Console(uint level, Debug.ErrorLogLevel errorLogLevel,
- string format, params object[] items)
- {
- if (SaveData.Level >= level)
- {
- var str = string.Format(format, items);
- Console(level, str);
- LogError(errorLogLevel, str);
- }
- }
-
- ///
- ///
- ///
- ///
- ///
- ///
- /// LogError method
- ///
- public void LogError(Debug.ErrorLogLevel errorLogLevel, string str)
- {
- string msg = string.Format("App {0}:{1}", InitialParametersClass.ApplicationNumber, str);
- switch (errorLogLevel)
- {
- case Debug.ErrorLogLevel.Error:
- ErrorLog.Error(msg);
- break;
- case Debug.ErrorLogLevel.Warning:
- ErrorLog.Warn(msg);
- break;
- case Debug.ErrorLogLevel.Notice:
- ErrorLog.Notice(msg);
- break;
- }
- }
-
- ///
- /// Writes the memory object after timeout
- ///
- void SaveMemoryOnTimeout()
- {
- if (SaveTimer == null)
- SaveTimer = new CTimer(o =>
- {
- SaveTimer = null;
- SaveMemory();
- }, SaveTimeoutMs);
- else
- SaveTimer.Reset(SaveTimeoutMs);
- }
-
- ///
- /// Writes the memory - use SaveMemoryOnTimeout
- ///
- void SaveMemory()
- {
- using (StreamWriter sw = new StreamWriter(GetMemoryFileName()))
- {
- var json = JsonConvert.SerializeObject(SaveData);
- sw.Write(json);
- sw.Flush();
- }
- }
-
- ///
- ///
- ///
- void LoadMemory()
- {
- var file = GetMemoryFileName();
- if (File.Exists(file))
- {
- using (StreamReader sr = new StreamReader(file))
- {
- var data = JsonConvert.DeserializeObject(sr.ReadToEnd());
- if (data != null)
- {
- SaveData = data;
- Debug.Console(1, "Debug memory restored from file");
- return;
- }
- else
- SaveData = new DebugContextSaveData();
- }
- }
- }
-
- ///
- /// Helper to get the file path for this app's debug memory
- ///
- string GetMemoryFileName()
- {
- return string.Format(@"\NVRAM\debugSettings\program{0}-{1}", InitialParametersClass.ApplicationNumber, Key);
+ var str = string.Format("[{0}] {1}", dev.Key, string.Format(format, items));
+ Console(level, str);
+ LogError(errorLogLevel, str);
}
}
///
///
///
- public class DebugContextSaveData
+ ///
+ ///
+ ///
+ ///
+ public void Console(uint level, Debug.ErrorLogLevel errorLogLevel,
+ string format, params object[] items)
{
- ///
- ///
- ///
- public int Level { get; set; }
+ if (SaveData.Level >= level)
+ {
+ var str = string.Format(format, items);
+ Console(level, str);
+ LogError(errorLogLevel, str);
+ }
}
+
+ ///
+ ///
+ ///
+ ///
+ ///
+ public void LogError(Debug.ErrorLogLevel errorLogLevel, string str)
+ {
+ string msg = string.Format("App {0}:{1}", InitialParametersClass.ApplicationNumber, str);
+ switch (errorLogLevel)
+ {
+ case Debug.ErrorLogLevel.Error:
+ ErrorLog.Error(msg);
+ break;
+ case Debug.ErrorLogLevel.Warning:
+ ErrorLog.Warn(msg);
+ break;
+ case Debug.ErrorLogLevel.Notice:
+ ErrorLog.Notice(msg);
+ break;
+ }
+ }
+
+ ///
+ /// Writes the memory object after timeout
+ ///
+ void SaveMemoryOnTimeout()
+ {
+ if (SaveTimer == null)
+ SaveTimer = new CTimer(o =>
+ {
+ SaveTimer = null;
+ SaveMemory();
+ }, SaveTimeoutMs);
+ else
+ SaveTimer.Reset(SaveTimeoutMs);
+ }
+
+ ///
+ /// Writes the memory - use SaveMemoryOnTimeout
+ ///
+ void SaveMemory()
+ {
+ using (StreamWriter sw = new StreamWriter(GetMemoryFileName()))
+ {
+ var json = JsonConvert.SerializeObject(SaveData);
+ sw.Write(json);
+ sw.Flush();
+ }
+ }
+
+ ///
+ ///
+ ///
+ void LoadMemory()
+ {
+ var file = GetMemoryFileName();
+ if (File.Exists(file))
+ {
+ using (StreamReader sr = new StreamReader(file))
+ {
+ var data = JsonConvert.DeserializeObject(sr.ReadToEnd());
+ if (data != null)
+ {
+ SaveData = data;
+ Debug.Console(1, "Debug memory restored from file");
+ return;
+ }
+ else
+ SaveData = new DebugContextSaveData();
+ }
+ }
+ }
+
+ ///
+ /// Helper to get the file path for this app's debug memory
+ ///
+ string GetMemoryFileName()
+ {
+ return string.Format(@"\NVRAM\debugSettings\program{0}-{1}", InitialParametersClass.ApplicationNumber, Key);
+ }
+}
+
+///
+///
+///
+public class DebugContextSaveData
+{
+ ///
+ ///
+ ///
+ public int Level { get; set; }
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/Logging/DebugCrestronLoggerSink.cs b/src/PepperDash.Core/Logging/DebugCrestronLoggerSink.cs
index 76859209..a2e82ec8 100644
--- a/src/PepperDash.Core/Logging/DebugCrestronLoggerSink.cs
+++ b/src/PepperDash.Core/Logging/DebugCrestronLoggerSink.cs
@@ -3,33 +3,26 @@ using Crestron.SimplSharp.CrestronLogger;
using Serilog.Core;
using Serilog.Events;
-namespace PepperDash.Core.Logging
+namespace PepperDash.Core.Logging;
+
+public class DebugCrestronLoggerSink : ILogEventSink
{
- ///
- /// Represents a DebugCrestronLoggerSink
- ///
- public class DebugCrestronLoggerSink : ILogEventSink
+ public void Emit(LogEvent logEvent)
{
- ///
- /// Emit method
- ///
- public void Emit(LogEvent logEvent)
+ if (!Debug.IsRunningOnAppliance) return;
+
+ string message = $"[{logEvent.Timestamp}][{logEvent.Level}][App {InitialParametersClass.ApplicationNumber}]{logEvent.RenderMessage()}";
+
+ if (logEvent.Properties.TryGetValue("Key", out var value) && value is ScalarValue sv && sv.Value is string rawValue)
{
- if (!Debug.IsRunningOnAppliance) return;
-
- string message = $"[{logEvent.Timestamp}][{logEvent.Level}][App {InitialParametersClass.ApplicationNumber}]{logEvent.RenderMessage()}";
-
- if (logEvent.Properties.TryGetValue("Key", out var value) && value is ScalarValue sv && sv.Value is string rawValue)
- {
- message = $"[{logEvent.Timestamp}][{logEvent.Level}][App {InitialParametersClass.ApplicationNumber}][{rawValue}]: {logEvent.RenderMessage()}";
- }
-
- CrestronLogger.WriteToLog(message, (uint)logEvent.Level);
+ message = $"[{logEvent.Timestamp}][{logEvent.Level}][App {InitialParametersClass.ApplicationNumber}][{rawValue}]: {logEvent.RenderMessage()}";
}
- public DebugCrestronLoggerSink()
- {
- CrestronLogger.Initialize(1, LoggerModeEnum.RM);
- }
+ CrestronLogger.WriteToLog(message, (uint)logEvent.Level);
+ }
+
+ public DebugCrestronLoggerSink()
+ {
+ CrestronLogger.Initialize(1, LoggerModeEnum.RM);
}
}
diff --git a/src/PepperDash.Core/Logging/DebugErrorLogSink.cs b/src/PepperDash.Core/Logging/DebugErrorLogSink.cs
index 9ab4dc6b..3c2e6761 100644
--- a/src/PepperDash.Core/Logging/DebugErrorLogSink.cs
+++ b/src/PepperDash.Core/Logging/DebugErrorLogSink.cs
@@ -9,63 +9,56 @@ using System.Linq;
using System.Text;
using System.Threading.Tasks;
-namespace PepperDash.Core.Logging
+namespace PepperDash.Core.Logging;
+
+public class DebugErrorLogSink : ILogEventSink
{
- ///
- /// Represents a DebugErrorLogSink
- ///
- public class DebugErrorLogSink : ILogEventSink
+ private ITextFormatter _formatter;
+
+ private Dictionary> _errorLogMap = new Dictionary>
{
- private ITextFormatter _formatter;
+ { LogEventLevel.Verbose, (msg) => ErrorLog.Notice(msg) },
+ {LogEventLevel.Debug, (msg) => ErrorLog.Notice(msg) },
+ {LogEventLevel.Information, (msg) => ErrorLog.Notice(msg) },
+ {LogEventLevel.Warning, (msg) => ErrorLog.Warn(msg) },
+ {LogEventLevel.Error, (msg) => ErrorLog.Error(msg) },
+ {LogEventLevel.Fatal, (msg) => ErrorLog.Error(msg) }
+ };
+ public void Emit(LogEvent logEvent)
+ {
+ string message;
- private Dictionary> _errorLogMap = new Dictionary>
+ if (_formatter == null)
{
- { LogEventLevel.Verbose, (msg) => ErrorLog.Notice(msg) },
- {LogEventLevel.Debug, (msg) => ErrorLog.Notice(msg) },
- {LogEventLevel.Information, (msg) => ErrorLog.Notice(msg) },
- {LogEventLevel.Warning, (msg) => ErrorLog.Warn(msg) },
- {LogEventLevel.Error, (msg) => ErrorLog.Error(msg) },
- {LogEventLevel.Fatal, (msg) => ErrorLog.Error(msg) }
- };
- ///
- /// Emit method
- ///
- public void Emit(LogEvent logEvent)
+ var programId = CrestronEnvironment.DevicePlatform == eDevicePlatform.Appliance
+ ? $"App {InitialParametersClass.ApplicationNumber}"
+ : $"Room {InitialParametersClass.RoomId}";
+
+ message = $"[{logEvent.Timestamp}][{logEvent.Level}][{programId}]{logEvent.RenderMessage()}";
+
+ if (logEvent.Properties.TryGetValue("Key", out var value) && value is ScalarValue sv && sv.Value is string rawValue)
+ {
+ message = $"[{logEvent.Timestamp}][{logEvent.Level}][{programId}][{rawValue}]: {logEvent.RenderMessage()}";
+ }
+ } else
{
- string message;
+ var buffer = new StringWriter(new StringBuilder(256));
- if (_formatter == null)
- {
- var programId = CrestronEnvironment.DevicePlatform == eDevicePlatform.Appliance
- ? $"App {InitialParametersClass.ApplicationNumber}"
- : $"Room {InitialParametersClass.RoomId}";
+ _formatter.Format(logEvent, buffer);
- message = $"[{logEvent.Timestamp}][{logEvent.Level}][{programId}]{logEvent.RenderMessage()}";
-
- if (logEvent.Properties.TryGetValue("Key", out var value) && value is ScalarValue sv && sv.Value is string rawValue)
- {
- message = $"[{logEvent.Timestamp}][{logEvent.Level}][{programId}][{rawValue}]: {logEvent.RenderMessage()}";
- }
- } else
- {
- var buffer = new StringWriter(new StringBuilder(256));
-
- _formatter.Format(logEvent, buffer);
-
- message = buffer.ToString();
- }
-
- if(!_errorLogMap.TryGetValue(logEvent.Level, out var handler))
- {
- return;
- }
-
- handler(message);
+ message = buffer.ToString();
}
- public DebugErrorLogSink(ITextFormatter formatter = null)
+ if(!_errorLogMap.TryGetValue(logEvent.Level, out var handler))
{
- _formatter = formatter;
+ return;
}
+
+ handler(message);
+ }
+
+ public DebugErrorLogSink(ITextFormatter formatter = null)
+ {
+ _formatter = formatter;
}
}
diff --git a/src/PepperDash.Core/Logging/DebugExtensions.cs b/src/PepperDash.Core/Logging/DebugExtensions.cs
index ccee4943..7ae40d97 100644
--- a/src/PepperDash.Core/Logging/DebugExtensions.cs
+++ b/src/PepperDash.Core/Logging/DebugExtensions.cs
@@ -2,112 +2,72 @@
using Serilog.Events;
using Log = PepperDash.Core.Debug;
-namespace PepperDash.Core.Logging
+namespace PepperDash.Core.Logging;
+
+public static class DebugExtensions
{
- public static class DebugExtensions
+ public static void LogException(this IKeyed device, Exception ex, string message, params object[] args)
{
- ///
- /// LogException method
- ///
- public static void LogException(this IKeyed device, Exception ex, string message, params object[] args)
- {
- Log.LogMessage(ex, message, device: device, args);
- }
+ Log.LogMessage(ex, message, device, args);
+ }
- ///
- /// LogVerbose method
- ///
- public static void LogVerbose(this IKeyed device, Exception ex, string message, params object[] args)
- {
- Log.LogVerbose(ex, device, message, args);
- }
+ public static void LogVerbose(this IKeyed device, Exception ex, string message, params object[] args)
+ {
+ Log.LogMessage(LogEventLevel.Verbose, ex, message, device, args);
+ }
- ///
- /// LogVerbose method
- ///
- public static void LogVerbose(this IKeyed device, string message, params object[] args)
- {
- Log.LogVerbose(device, message, args);
- }
+ public static void LogVerbose(this IKeyed device, string message, params object[] args)
+ {
+ Log.LogMessage(LogEventLevel.Verbose, device, message, args);
+ }
- ///
- /// LogDebug method
- ///
- public static void LogDebug(this IKeyed device, Exception ex, string message, params object[] args)
- {
- Log.LogDebug(ex, device, message, args);
- }
+ public static void LogDebug(this IKeyed device, Exception ex, string message, params object[] args)
+ {
+ Log.LogMessage(LogEventLevel.Debug, ex, message, device, args);
+ }
- ///
- /// LogDebug method
- ///
- public static void LogDebug(this IKeyed device, string message, params object[] args)
- {
- Log.LogDebug(device, message, args);
- }
+ public static void LogDebug(this IKeyed device, string message, params object[] args)
+ {
+ Log.LogMessage(LogEventLevel.Debug, device, message, args);
+ }
- ///
- /// LogInformation method
- ///
- public static void LogInformation(this IKeyed device, Exception ex, string message, params object[] args)
- {
- Log.LogInformation(ex, device, message, args);
- }
+ public static void LogInformation(this IKeyed device, Exception ex, string message, params object[] args)
+ {
+ Log.LogMessage(LogEventLevel.Information, ex, message, device, args);
+ }
- ///
- /// LogInformation method
- ///
- public static void LogInformation(this IKeyed device, string message, params object[] args)
- {
- Log.LogInformation(device, message, args);
- }
+ public static void LogInformation(this IKeyed device, string message, params object[] args)
+ {
+ Log.LogMessage(LogEventLevel.Information, device, message, args);
+ }
- ///
- /// LogWarning method
- ///
- public static void LogWarning(this IKeyed device, Exception ex, string message, params object[] args)
- {
- Log.LogWarning(ex, device, message, args);
- }
+ public static void LogWarning(this IKeyed device, Exception ex, string message, params object[] args)
+ {
+ Log.LogMessage(LogEventLevel.Warning, ex, message, device, args);
+ }
- ///
- /// LogWarning method
- ///
- public static void LogWarning(this IKeyed device, string message, params object[] args)
- {
- Log.LogWarning(device, message, args);
- }
+ public static void LogWarning(this IKeyed device, string message, params object[] args)
+ {
+ Log.LogMessage(LogEventLevel.Warning, device, message, args);
+ }
- ///
- /// LogError method
- ///
- public static void LogError(this IKeyed device, Exception ex, string message, params object[] args)
- {
- Log.LogError(ex, device, message, args);
- }
+ public static void LogError(this IKeyed device, Exception ex, string message, params object[] args)
+ {
+ Log.LogMessage(LogEventLevel.Error, ex, message, device, args);
+ }
- ///
- /// LogError method
- ///
- public static void LogError(this IKeyed device, string message, params object[] args)
- {
- Log.LogError(device, message, args);
- }
+ public static void LogError(this IKeyed device, string message, params object[] args)
+ {
+ Log.LogMessage(LogEventLevel.Error, device, message, args);
+ }
- ///
- /// LogFatal method
- ///
- public static void LogFatal(this IKeyed device, Exception ex, string message, params object[] args)
- {
- Log.LogFatal(ex, device, message, args);
- }
+ public static void LogFatal(this IKeyed device, Exception ex, string message, params object[] args)
+ {
+ Log.LogMessage(LogEventLevel.Fatal, ex, message, device, args);
+ }
- ///
- /// LogFatal method
- ///
- public static void LogFatal(this IKeyed device, string message, params object[] args)
- {
- Log.LogFatal(device, message, args);
- }
+ public static void LogFatal(this IKeyed device, string message, params object[] args)
+ {
+ Log.LogMessage(LogEventLevel.Fatal, device, message, args);
}
}
diff --git a/src/PepperDash.Core/Logging/DebugMemory.cs b/src/PepperDash.Core/Logging/DebugMemory.cs
index 327d04b4..da327f77 100644
--- a/src/PepperDash.Core/Logging/DebugMemory.cs
+++ b/src/PepperDash.Core/Logging/DebugMemory.cs
@@ -4,25 +4,25 @@ using System.Collections.Generic;
using Crestron.SimplSharp;
using JsonProperty = NewtonsoftJson::Newtonsoft.Json.JsonPropertyAttribute;
-namespace PepperDash.Core.Logging
-{
- ///
- /// Represents a DebugContextCollection
- ///
+namespace PepperDash.Core.Logging;
+
+///
+/// Class to persist current Debug settings across program restarts
+///
public class DebugContextCollection
{
- ///
- /// To prevent threading issues with the DeviceDebugSettings collection
- ///
- private readonly CCriticalSection _deviceDebugSettingsLock;
+ ///
+ /// To prevent threading issues with the DeviceDebugSettings collection
+ ///
+ private readonly CCriticalSection _deviceDebugSettingsLock;
[JsonProperty("items")] private readonly Dictionary _items;
- ///
- /// Collection of the debug settings for each device where the dictionary key is the device key
- ///
- [JsonProperty("deviceDebugSettings")]
- private Dictionary DeviceDebugSettings { get; set; }
+ ///
+ /// Collection of the debug settings for each device where the dictionary key is the device key
+ ///
+ [JsonProperty("deviceDebugSettings")]
+ private Dictionary DeviceDebugSettings { get; set; }
///
@@ -30,8 +30,8 @@ namespace PepperDash.Core.Logging
///
public DebugContextCollection()
{
- _deviceDebugSettingsLock = new CCriticalSection();
- DeviceDebugSettings = new Dictionary();
+ _deviceDebugSettingsLock = new CCriticalSection();
+ DeviceDebugSettings = new Dictionary();
_items = new Dictionary();
}
@@ -67,46 +67,40 @@ namespace PepperDash.Core.Logging
}
- ///
- /// sets the settings for a device or creates a new entry
- ///
- ///
- ///
- ///
- ///
- /// SetDebugSettingsForKey method
- ///
- public void SetDebugSettingsForKey(string deviceKey, object settings)
+ ///
+ /// sets the settings for a device or creates a new entry
+ ///
+ ///
+ ///
+ ///
+ public void SetDebugSettingsForKey(string deviceKey, object settings)
+ {
+ try
{
- try
- {
- _deviceDebugSettingsLock.Enter();
+ _deviceDebugSettingsLock.Enter();
- if (DeviceDebugSettings.ContainsKey(deviceKey))
- {
- DeviceDebugSettings[deviceKey] = settings;
- }
- else
- DeviceDebugSettings.Add(deviceKey, settings);
- }
- finally
+ if (DeviceDebugSettings.ContainsKey(deviceKey))
{
- _deviceDebugSettingsLock.Leave();
+ DeviceDebugSettings[deviceKey] = settings;
}
+ else
+ DeviceDebugSettings.Add(deviceKey, settings);
}
-
- ///
- /// Gets the device settings for a device by key or returns null
- ///
- ///
- ///
- ///
- /// GetDebugSettingsForKey method
- ///
- public object GetDebugSettingsForKey(string deviceKey)
+ finally
{
- return DeviceDebugSettings[deviceKey];
+ _deviceDebugSettingsLock.Leave();
}
+ }
+
+ ///
+ /// Gets the device settings for a device by key or returns null
+ ///
+ ///
+ ///
+ public object GetDebugSettingsForKey(string deviceKey)
+ {
+ return DeviceDebugSettings[deviceKey];
+ }
}
///
@@ -114,16 +108,15 @@ namespace PepperDash.Core.Logging
///
public class DebugContextItem
{
- ///
- /// The level of debug messages to print
- ///
+ ///
+ /// The level of debug messages to print
+ ///
[JsonProperty("level")]
public int Level { get; set; }
- ///
- /// Property to tell the program not to intitialize when it boots, if desired
- ///
- [JsonProperty("doNotLoadOnNextBoot")]
- public bool DoNotLoadOnNextBoot { get; set; }
- }
-}
\ No newline at end of file
+ ///
+ /// Property to tell the program not to intitialize when it boots, if desired
+ ///
+ [JsonProperty("doNotLoadOnNextBoot")]
+ public bool DoNotLoadOnNextBoot { get; set; }
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/Logging/DebugWebsocketSink.cs b/src/PepperDash.Core/Logging/DebugWebsocketSink.cs
index 81d981ec..d62b3c8b 100644
--- a/src/PepperDash.Core/Logging/DebugWebsocketSink.cs
+++ b/src/PepperDash.Core/Logging/DebugWebsocketSink.cs
@@ -1,10 +1,6 @@
extern alias NewtonsoftJson;
using System;
-using System.Collections.Generic;
-using System.Linq;
-using System.Text;
-using System.Threading.Tasks;
using Crestron.SimplSharp;
using Org.BouncyCastle.Asn1.X509;
using Serilog;
diff --git a/src/PepperDash.Core/Network/DiscoveryThings.cs b/src/PepperDash.Core/Network/DiscoveryThings.cs
index 973c03a4..c01613b7 100644
--- a/src/PepperDash.Core/Network/DiscoveryThings.cs
+++ b/src/PepperDash.Core/Network/DiscoveryThings.cs
@@ -4,19 +4,17 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Core
-{
+namespace PepperDash.Core;
+
+///
+/// Not in use
+///
+ public static class NetworkComm
+ {
///
/// Not in use
///
- public static class NetworkComm
- {
- ///
- /// Not in use
- ///
static NetworkComm()
{
}
- }
-
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/PasswordManagement/Config.cs b/src/PepperDash.Core/PasswordManagement/Config.cs
index 22aa4881..a5f071a4 100644
--- a/src/PepperDash.Core/PasswordManagement/Config.cs
+++ b/src/PepperDash.Core/PasswordManagement/Config.cs
@@ -4,8 +4,8 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Core.PasswordManagement
-{
+namespace PepperDash.Core.PasswordManagement;
+
///
/// JSON password configuration
///
@@ -22,5 +22,4 @@ namespace PepperDash.Core.PasswordManagement
{
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/PasswordManagement/Constants.cs b/src/PepperDash.Core/PasswordManagement/Constants.cs
index 65a1bf45..d4cf1e0b 100644
--- a/src/PepperDash.Core/PasswordManagement/Constants.cs
+++ b/src/PepperDash.Core/PasswordManagement/Constants.cs
@@ -4,8 +4,8 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Core.PasswordManagement
-{
+namespace PepperDash.Core.PasswordManagement;
+
///
/// Constants
///
@@ -53,5 +53,4 @@ namespace PepperDash.Core.PasswordManagement
/// Generic string value change constant
///
public const ushort StringValueChange = 201;
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/PasswordManagement/PasswordClient.cs b/src/PepperDash.Core/PasswordManagement/PasswordClient.cs
index 9443be0b..4a6c7368 100644
--- a/src/PepperDash.Core/PasswordManagement/PasswordClient.cs
+++ b/src/PepperDash.Core/PasswordManagement/PasswordClient.cs
@@ -1,10 +1,10 @@
using System;
-namespace PepperDash.Core.PasswordManagement
-{
- ///
- /// Represents a PasswordClient
- ///
+namespace PepperDash.Core.PasswordManagement;
+
+///
+/// A class to allow user interaction with the PasswordManager
+///
public class PasswordClient
{
///
@@ -192,5 +192,4 @@ namespace PepperDash.Core.PasswordManagement
GetPasswordByIndex(args.Index);
}
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/PasswordManagement/PasswordManager.cs b/src/PepperDash.Core/PasswordManagement/PasswordManager.cs
index 9ba008e4..d08a1010 100644
--- a/src/PepperDash.Core/PasswordManagement/PasswordManager.cs
+++ b/src/PepperDash.Core/PasswordManagement/PasswordManager.cs
@@ -2,11 +2,11 @@
using System.Collections.Generic;
using Crestron.SimplSharp;
-namespace PepperDash.Core.PasswordManagement
-{
- ///
- /// Represents a PasswordManager
- ///
+namespace PepperDash.Core.PasswordManagement;
+
+///
+/// Allows passwords to be stored and managed
+///
public class PasswordManager
{
///
@@ -196,7 +196,7 @@ namespace PepperDash.Core.PasswordManagement
///
/// Protected ushort change event handler
///
- ///
+ ///
///
///
protected void OnUshrtChange(ushort value, ushort index, ushort type)
@@ -243,5 +243,4 @@ namespace PepperDash.Core.PasswordManagement
PasswordChange(this, args);
}
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/SystemInfo/EventArgs and Constants.cs b/src/PepperDash.Core/SystemInfo/EventArgs and Constants.cs
index a83f8901..e6d697f3 100644
--- a/src/PepperDash.Core/SystemInfo/EventArgs and Constants.cs
+++ b/src/PepperDash.Core/SystemInfo/EventArgs and Constants.cs
@@ -4,68 +4,68 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Core.SystemInfo
-{
+namespace PepperDash.Core.SystemInfo;
+
///
/// Constants
///
public class SystemInfoConstants
{
- ///
- ///
- ///
+ ///
+ ///
+ ///
public const ushort BoolValueChange = 1;
///
///
///
- public const ushort CompleteBoolChange = 2;
+ public const ushort CompleteBoolChange = 2;
///
///
///
- public const ushort BusyBoolChange = 3;
-
- ///
- ///
- ///
+ public const ushort BusyBoolChange = 3;
+
+ ///
+ ///
+ ///
public const ushort UshortValueChange = 101;
- ///
- ///
- ///
+ ///
+ ///
+ ///
public const ushort StringValueChange = 201;
///
///
///
- public const ushort ConsoleResponseChange = 202;
+ public const ushort ConsoleResponseChange = 202;
///
///
///
- public const ushort ProcessorUptimeChange = 203;
+ public const ushort ProcessorUptimeChange = 203;
///
///
///
- public const ushort ProgramUptimeChange = 204;
+ public const ushort ProgramUptimeChange = 204;
- ///
- ///
- ///
+ ///
+ ///
+ ///
public const ushort ObjectChange = 301;
///
///
///
- public const ushort ProcessorConfigChange = 302;
+ public const ushort ProcessorConfigChange = 302;
///
///
///
- public const ushort EthernetConfigChange = 303;
+ public const ushort EthernetConfigChange = 303;
///
///
///
- public const ushort ControlSubnetConfigChange = 304;
+ public const ushort ControlSubnetConfigChange = 304;
///
///
///
- public const ushort ProgramConfigChange = 305;
+ public const ushort ProgramConfigChange = 305;
}
///
@@ -73,18 +73,18 @@ namespace PepperDash.Core.SystemInfo
///
public class ProcessorChangeEventArgs : EventArgs
{
- ///
- ///
- ///
+ ///
+ ///
+ ///
public ProcessorInfo Processor { get; set; }
///
///
///
- public ushort Type { get; set; }
+ public ushort Type { get; set; }
///
///
///
- public ushort Index { get; set; }
+ public ushort Index { get; set; }
///
/// Constructor
@@ -119,18 +119,18 @@ namespace PepperDash.Core.SystemInfo
///
public class EthernetChangeEventArgs : EventArgs
{
- ///
- ///
- ///
+ ///
+ ///
+ ///
public EthernetInfo Adapter { get; set; }
///
///
///
- public ushort Type { get; set; }
+ public ushort Type { get; set; }
///
///
///
- public ushort Index { get; set; }
+ public ushort Index { get; set; }
///
/// Constructor
@@ -143,7 +143,7 @@ namespace PepperDash.Core.SystemInfo
///
/// Constructor overload
///
- ///
+ ///
///
public EthernetChangeEventArgs(EthernetInfo ethernet, ushort type)
{
@@ -154,9 +154,9 @@ namespace PepperDash.Core.SystemInfo
///
/// Constructor overload
///
- ///
+ ///
///
- ///
+ ///
public EthernetChangeEventArgs(EthernetInfo ethernet, ushort type, ushort index)
{
Adapter = ethernet;
@@ -170,18 +170,18 @@ namespace PepperDash.Core.SystemInfo
///
public class ControlSubnetChangeEventArgs : EventArgs
{
- ///
- ///
- ///
+ ///
+ ///
+ ///
public ControlSubnetInfo Adapter { get; set; }
///
///
///
- public ushort Type { get; set; }
+ public ushort Type { get; set; }
///
///
///
- public ushort Index { get; set; }
+ public ushort Index { get; set; }
///
/// Constructor
@@ -216,18 +216,18 @@ namespace PepperDash.Core.SystemInfo
///
public class ProgramChangeEventArgs : EventArgs
{
- ///
- ///
- ///
+ ///
+ ///
+ ///
public ProgramInfo Program { get; set; }
///
///
///
- public ushort Type { get; set; }
+ public ushort Type { get; set; }
///
///
///
- public ushort Index { get; set; }
+ public ushort Index { get; set; }
///
/// Constructor
@@ -240,7 +240,7 @@ namespace PepperDash.Core.SystemInfo
///
/// Constructor overload
///
- ///
+ ///
///
public ProgramChangeEventArgs(ProgramInfo program, ushort type)
{
@@ -251,14 +251,13 @@ namespace PepperDash.Core.SystemInfo
///
/// Constructor overload
///
- ///
+ ///
///
- ///
+ ///
public ProgramChangeEventArgs(ProgramInfo program, ushort type, ushort index)
{
Program = program;
Type = type;
Index = index;
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/SystemInfo/SystemInfoConfig.cs b/src/PepperDash.Core/SystemInfo/SystemInfoConfig.cs
index 8dc3acaf..950abecb 100644
--- a/src/PepperDash.Core/SystemInfo/SystemInfoConfig.cs
+++ b/src/PepperDash.Core/SystemInfo/SystemInfoConfig.cs
@@ -4,52 +4,52 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Core.SystemInfo
-{
+namespace PepperDash.Core.SystemInfo;
+
///
/// Processor info class
///
public class ProcessorInfo
{
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string Model { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string SerialNumber { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string Firmware { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string FirmwareDate { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string OsVersion { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string RuntimeEnvironment { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string DevicePlatform { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string ModuleDirectory { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string LocalTimeZone { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string ProgramIdTag { get; set; }
///
@@ -66,45 +66,45 @@ namespace PepperDash.Core.SystemInfo
///
public class EthernetInfo
{
- ///
- ///
- ///
+ ///
+ ///
+ ///
public ushort DhcpIsOn { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string Hostname { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string MacAddress { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string IpAddress { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string Subnet { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string Gateway { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string Dns1 { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string Dns2 { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string Dns3 { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string Domain { get; set; }
///
@@ -121,29 +121,29 @@ namespace PepperDash.Core.SystemInfo
///
public class ControlSubnetInfo
{
- ///
- ///
- ///
+ ///
+ ///
+ ///
public ushort Enabled { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public ushort IsInAutomaticMode { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string MacAddress { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string IpAddress { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string Subnet { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string RouterPrefix { get; set; }
///
@@ -160,37 +160,37 @@ namespace PepperDash.Core.SystemInfo
///
public class ProgramInfo
{
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string Name { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string Header { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string System { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string ProgramIdTag { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string CompileTime { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string Database { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string Environment { get; set; }
- ///
- ///
- ///
+ ///
+ ///
+ ///
public string Programmer { get; set; }
///
@@ -200,5 +200,4 @@ namespace PepperDash.Core.SystemInfo
{
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/SystemInfo/SystemInfoToSimpl.cs b/src/PepperDash.Core/SystemInfo/SystemInfoToSimpl.cs
index 45f787f5..00309676 100644
--- a/src/PepperDash.Core/SystemInfo/SystemInfoToSimpl.cs
+++ b/src/PepperDash.Core/SystemInfo/SystemInfoToSimpl.cs
@@ -4,37 +4,37 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Core.SystemInfo
-{
+namespace PepperDash.Core.SystemInfo;
+
///
/// System Info class
///
public class SystemInfoToSimpl
{
- ///
- /// Notifies of bool change
- ///
+ ///
+ /// Notifies of bool change
+ ///
public event EventHandler BoolChange;
- ///
- /// Notifies of string change
- ///
+ ///
+ /// Notifies of string change
+ ///
public event EventHandler StringChange;
- ///
- /// Notifies of processor change
- ///
+ ///
+ /// Notifies of processor change
+ ///
public event EventHandler ProcessorChange;
- ///
- /// Notifies of ethernet change
- ///
+ ///
+ /// Notifies of ethernet change
+ ///
public event EventHandler EthernetChange;
- ///
- /// Notifies of control subnet change
- ///
+ ///
+ /// Notifies of control subnet change
+ ///
public event EventHandler ControlSubnetChange;
- ///
- /// Notifies of program change
- ///
+ ///
+ /// Notifies of program change
+ ///
public event EventHandler ProgramChange;
///
@@ -336,10 +336,10 @@ namespace PepperDash.Core.SystemInfo
///
/// private method to parse console messages
///
- ///
+ ///
///
- ///
- ///
+ ///
+ ///
///
private string ParseConsoleResponse(string data, string line, string dataStart, string dataEnd)
{
@@ -467,5 +467,4 @@ namespace PepperDash.Core.SystemInfo
ProgramChange(this, args);
}
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/Web/BouncyCertificate.cs b/src/PepperDash.Core/Web/BouncyCertificate.cs
index 9e885094..148b6eb1 100644
--- a/src/PepperDash.Core/Web/BouncyCertificate.cs
+++ b/src/PepperDash.Core/Web/BouncyCertificate.cs
@@ -20,352 +20,336 @@ using Org.BouncyCastle.Crypto.Operators;
using BigInteger = Org.BouncyCastle.Math.BigInteger;
using X509Certificate = Org.BouncyCastle.X509.X509Certificate;
-namespace PepperDash.Core
+namespace PepperDash.Core;
+
+///
+/// Taken From https://github.com/rlipscombe/bouncy-castle-csharp/
+///
+internal class BouncyCertificate
{
- ///
- /// Taken From https://github.com/rlipscombe/bouncy-castle-csharp/
- ///
- internal class BouncyCertificate
+ public string CertificatePassword { get; set; } = "password";
+ public X509Certificate2 LoadCertificate(string issuerFileName, string password)
{
- public string CertificatePassword { get; set; } = "password";
- public X509Certificate2 LoadCertificate(string issuerFileName, string password)
+ // We need to pass 'Exportable', otherwise we can't get the private key.
+ var issuerCertificate = new X509Certificate2(issuerFileName, password, X509KeyStorageFlags.Exportable);
+ return issuerCertificate;
+ }
+
+ public X509Certificate2 IssueCertificate(string subjectName, X509Certificate2 issuerCertificate, string[] subjectAlternativeNames, KeyPurposeID[] usages)
+ {
+ // It's self-signed, so these are the same.
+ var issuerName = issuerCertificate.Subject;
+
+ var random = GetSecureRandom();
+ var subjectKeyPair = GenerateKeyPair(random, 2048);
+
+ var issuerKeyPair = DotNetUtilities.GetKeyPair(issuerCertificate.PrivateKey);
+
+ var serialNumber = GenerateSerialNumber(random);
+ var issuerSerialNumber = new BigInteger(issuerCertificate.GetSerialNumber());
+
+ const bool isCertificateAuthority = false;
+ var certificate = GenerateCertificate(random, subjectName, subjectKeyPair, serialNumber,
+ subjectAlternativeNames, issuerName, issuerKeyPair,
+ issuerSerialNumber, isCertificateAuthority,
+ usages);
+ return ConvertCertificate(certificate, subjectKeyPair, random);
+ }
+
+ public X509Certificate2 CreateCertificateAuthorityCertificate(string subjectName, string[] subjectAlternativeNames, KeyPurposeID[] usages)
+ {
+ // It's self-signed, so these are the same.
+ var issuerName = subjectName;
+
+ var random = GetSecureRandom();
+ var subjectKeyPair = GenerateKeyPair(random, 2048);
+
+ // It's self-signed, so these are the same.
+ var issuerKeyPair = subjectKeyPair;
+
+ var serialNumber = GenerateSerialNumber(random);
+ var issuerSerialNumber = serialNumber; // Self-signed, so it's the same serial number.
+
+ const bool isCertificateAuthority = true;
+ var certificate = GenerateCertificate(random, subjectName, subjectKeyPair, serialNumber,
+ subjectAlternativeNames, issuerName, issuerKeyPair,
+ issuerSerialNumber, isCertificateAuthority,
+ usages);
+ return ConvertCertificate(certificate, subjectKeyPair, random);
+ }
+
+ public X509Certificate2 CreateSelfSignedCertificate(string subjectName, string[] subjectAlternativeNames, KeyPurposeID[] usages)
+ {
+ // It's self-signed, so these are the same.
+ var issuerName = subjectName;
+
+ var random = GetSecureRandom();
+ var subjectKeyPair = GenerateKeyPair(random, 2048);
+
+ // It's self-signed, so these are the same.
+ var issuerKeyPair = subjectKeyPair;
+
+ var serialNumber = GenerateSerialNumber(random);
+ var issuerSerialNumber = serialNumber; // Self-signed, so it's the same serial number.
+
+ const bool isCertificateAuthority = false;
+ var certificate = GenerateCertificate(random, subjectName, subjectKeyPair, serialNumber,
+ subjectAlternativeNames, issuerName, issuerKeyPair,
+ issuerSerialNumber, isCertificateAuthority,
+ usages);
+ return ConvertCertificate(certificate, subjectKeyPair, random);
+ }
+
+ private SecureRandom GetSecureRandom()
+ {
+ // Since we're on Windows, we'll use the CryptoAPI one (on the assumption
+ // that it might have access to better sources of entropy than the built-in
+ // Bouncy Castle ones):
+ var randomGenerator = new CryptoApiRandomGenerator();
+ var random = new SecureRandom(randomGenerator);
+ return random;
+ }
+
+ private X509Certificate GenerateCertificate(SecureRandom random,
+ string subjectName,
+ AsymmetricCipherKeyPair subjectKeyPair,
+ BigInteger subjectSerialNumber,
+ string[] subjectAlternativeNames,
+ string issuerName,
+ AsymmetricCipherKeyPair issuerKeyPair,
+ BigInteger issuerSerialNumber,
+ bool isCertificateAuthority,
+ KeyPurposeID[] usages)
+ {
+ var certificateGenerator = new X509V3CertificateGenerator();
+
+ certificateGenerator.SetSerialNumber(subjectSerialNumber);
+
+ var issuerDN = new X509Name(issuerName);
+ certificateGenerator.SetIssuerDN(issuerDN);
+
+ // Note: The subject can be omitted if you specify a subject alternative name (SAN).
+ var subjectDN = new X509Name(subjectName);
+ certificateGenerator.SetSubjectDN(subjectDN);
+
+ // Our certificate needs valid from/to values.
+ var notBefore = DateTime.UtcNow.Date;
+ var notAfter = notBefore.AddYears(2);
+
+ certificateGenerator.SetNotBefore(notBefore);
+ certificateGenerator.SetNotAfter(notAfter);
+
+ // The subject's public key goes in the certificate.
+ certificateGenerator.SetPublicKey(subjectKeyPair.Public);
+
+ AddAuthorityKeyIdentifier(certificateGenerator, issuerDN, issuerKeyPair, issuerSerialNumber);
+ AddSubjectKeyIdentifier(certificateGenerator, subjectKeyPair);
+ //AddBasicConstraints(certificateGenerator, isCertificateAuthority);
+
+ if (usages != null && usages.Any())
+ AddExtendedKeyUsage(certificateGenerator, usages);
+
+ if (subjectAlternativeNames != null && subjectAlternativeNames.Any())
+ AddSubjectAlternativeNames(certificateGenerator, subjectAlternativeNames);
+
+ // Set the signature algorithm. This is used to generate the thumbprint which is then signed
+ // with the issuer's private key. We'll use SHA-256, which is (currently) considered fairly strong.
+ const string signatureAlgorithm = "SHA256WithRSA";
+
+ // The certificate is signed with the issuer's private key.
+ ISignatureFactory signatureFactory = new Asn1SignatureFactory(signatureAlgorithm, issuerKeyPair.Private, random);
+ var certificate = certificateGenerator.Generate(signatureFactory);
+ return certificate;
+ }
+
+ ///
+ /// The certificate needs a serial number. This is used for revocation,
+ /// and usually should be an incrementing index (which makes it easier to revoke a range of certificates).
+ /// Since we don't have anywhere to store the incrementing index, we can just use a random number.
+ ///
+ ///
+ ///
+ private BigInteger GenerateSerialNumber(SecureRandom random)
+ {
+ var serialNumber =
+ BigIntegers.CreateRandomInRange(
+ BigInteger.One, BigInteger.ValueOf(Int64.MaxValue), random);
+ return serialNumber;
+ }
+
+ ///
+ /// Generate a key pair.
+ ///
+ /// The random number generator.
+ /// The key length in bits. For RSA, 2048 bits should be considered the minimum acceptable these days.
+ ///
+ private AsymmetricCipherKeyPair GenerateKeyPair(SecureRandom random, int strength)
+ {
+ var keyGenerationParameters = new KeyGenerationParameters(random, strength);
+
+ var keyPairGenerator = new RsaKeyPairGenerator();
+ keyPairGenerator.Init(keyGenerationParameters);
+ var subjectKeyPair = keyPairGenerator.GenerateKeyPair();
+ return subjectKeyPair;
+ }
+
+ ///
+ /// Add the Authority Key Identifier. According to http://www.alvestrand.no/objectid/2.5.29.35.html, this
+ /// identifies the public key to be used to verify the signature on this certificate.
+ /// In a certificate chain, this corresponds to the "Subject Key Identifier" on the *issuer* certificate.
+ /// The Bouncy Castle documentation, at http://www.bouncycastle.org/wiki/display/JA1/X.509+Public+Key+Certificate+and+Certification+Request+Generation,
+ /// shows how to create this from the issuing certificate. Since we're creating a self-signed certificate, we have to do this slightly differently.
+ ///
+ ///
+ ///
+ ///
+ ///
+ private void AddAuthorityKeyIdentifier(X509V3CertificateGenerator certificateGenerator,
+ X509Name issuerDN,
+ AsymmetricCipherKeyPair issuerKeyPair,
+ BigInteger issuerSerialNumber)
+ {
+ var authorityKeyIdentifierExtension =
+ new AuthorityKeyIdentifier(
+ SubjectPublicKeyInfoFactory.CreateSubjectPublicKeyInfo(issuerKeyPair.Public),
+ new GeneralNames(new GeneralName(issuerDN)),
+ issuerSerialNumber);
+ certificateGenerator.AddExtension(
+ X509Extensions.AuthorityKeyIdentifier.Id, false, authorityKeyIdentifierExtension);
+ }
+
+ ///
+ /// Add the "Subject Alternative Names" extension. Note that you have to repeat
+ /// the value from the "Subject Name" property.
+ ///
+ ///
+ ///
+ private void AddSubjectAlternativeNames(X509V3CertificateGenerator certificateGenerator,
+ IEnumerable subjectAlternativeNames)
+ {
+ var subjectAlternativeNamesExtension =
+ new DerSequence(
+ subjectAlternativeNames.Select(name => new GeneralName(GeneralName.DnsName, name))
+ .ToArray());
+ certificateGenerator.AddExtension(
+ X509Extensions.SubjectAlternativeName.Id, false, subjectAlternativeNamesExtension);
+ }
+
+ ///
+ /// Add the "Extended Key Usage" extension, specifying (for example) "server authentication".
+ ///
+ ///
+ ///
+ private void AddExtendedKeyUsage(X509V3CertificateGenerator certificateGenerator, KeyPurposeID[] usages)
+ {
+ certificateGenerator.AddExtension(
+ X509Extensions.ExtendedKeyUsage.Id, false, new ExtendedKeyUsage(usages));
+ }
+
+ ///
+ /// Add the "Basic Constraints" extension.
+ ///
+ ///
+ ///
+ private void AddBasicConstraints(X509V3CertificateGenerator certificateGenerator,
+ bool isCertificateAuthority)
+ {
+ certificateGenerator.AddExtension(
+ X509Extensions.BasicConstraints.Id, true, new BasicConstraints(isCertificateAuthority));
+ }
+
+ ///
+ /// Add the Subject Key Identifier.
+ ///
+ ///
+ ///
+ private void AddSubjectKeyIdentifier(X509V3CertificateGenerator certificateGenerator,
+ AsymmetricCipherKeyPair subjectKeyPair)
+ {
+ var subjectKeyIdentifierExtension =
+ new SubjectKeyIdentifier(
+ SubjectPublicKeyInfoFactory.CreateSubjectPublicKeyInfo(subjectKeyPair.Public));
+ certificateGenerator.AddExtension(
+ X509Extensions.SubjectKeyIdentifier.Id, false, subjectKeyIdentifierExtension);
+ }
+
+ private X509Certificate2 ConvertCertificate(X509Certificate certificate,
+ AsymmetricCipherKeyPair subjectKeyPair,
+ SecureRandom random)
+ {
+ // Now to convert the Bouncy Castle certificate to a .NET certificate.
+ // See http://web.archive.org/web/20100504192226/http://www.fkollmann.de/v2/post/Creating-certificates-using-BouncyCastle.aspx
+ // ...but, basically, we create a PKCS12 store (a .PFX file) in memory, and add the public and private key to that.
+ var store = new Pkcs12StoreBuilder().Build();
+
+ // What Bouncy Castle calls "alias" is the same as what Windows terms the "friendly name".
+ string friendlyName = certificate.SubjectDN.ToString();
+
+ // Add the certificate.
+ var certificateEntry = new X509CertificateEntry(certificate);
+ store.SetCertificateEntry(friendlyName, certificateEntry);
+
+ // Add the private key.
+ store.SetKeyEntry(friendlyName, new AsymmetricKeyEntry(subjectKeyPair.Private), new[] { certificateEntry });
+
+ // Convert it to an X509Certificate2 object by saving/loading it from a MemoryStream.
+ // It needs a password. Since we'll remove this later, it doesn't particularly matter what we use.
+
+ var stream = new MemoryStream();
+ store.Save(stream, CertificatePassword.ToCharArray(), random);
+
+ var convertedCertificate =
+ new X509Certificate2(stream.ToArray(),
+ CertificatePassword,
+ X509KeyStorageFlags.PersistKeySet | X509KeyStorageFlags.Exportable);
+ return convertedCertificate;
+ }
+
+ public void WriteCertificate(X509Certificate2 certificate, string outputDirectory, string certName)
+ {
+ // This password is the one attached to the PFX file. Use 'null' for no password.
+ // Create PFX (PKCS #12) with private key
+ try
{
- // We need to pass 'Exportable', otherwise we can't get the private key.
- var issuerCertificate = new X509Certificate2(issuerFileName, password, X509KeyStorageFlags.Exportable);
- return issuerCertificate;
+ var pfx = certificate.Export(X509ContentType.Pfx, CertificatePassword);
+ File.WriteAllBytes(string.Format("{0}.pfx", Path.Combine(outputDirectory, certName)), pfx);
}
-
- ///
- /// IssueCertificate method
- ///
- public X509Certificate2 IssueCertificate(string subjectName, X509Certificate2 issuerCertificate, string[] subjectAlternativeNames, KeyPurposeID[] usages)
+ catch (Exception ex)
{
- // It's self-signed, so these are the same.
- var issuerName = issuerCertificate.Subject;
-
- var random = GetSecureRandom();
- var subjectKeyPair = GenerateKeyPair(random, 2048);
-
- var issuerKeyPair = DotNetUtilities.GetKeyPair(issuerCertificate.PrivateKey);
-
- var serialNumber = GenerateSerialNumber(random);
- var issuerSerialNumber = new BigInteger(issuerCertificate.GetSerialNumber());
-
- const bool isCertificateAuthority = false;
- var certificate = GenerateCertificate(random, subjectName, subjectKeyPair, serialNumber,
- subjectAlternativeNames, issuerName, issuerKeyPair,
- issuerSerialNumber, isCertificateAuthority,
- usages);
- return ConvertCertificate(certificate, subjectKeyPair, random);
+ CrestronConsole.PrintLine(string.Format("Failed to write x509 cert pfx\r\n{0}", ex.Message));
}
-
- ///
- /// CreateCertificateAuthorityCertificate method
- ///
- public X509Certificate2 CreateCertificateAuthorityCertificate(string subjectName, string[] subjectAlternativeNames, KeyPurposeID[] usages)
+ // Create Base 64 encoded CER (public key only)
+ using (var writer = new StreamWriter($"{Path.Combine(outputDirectory, certName)}.cer", false))
{
- // It's self-signed, so these are the same.
- var issuerName = subjectName;
-
- var random = GetSecureRandom();
- var subjectKeyPair = GenerateKeyPair(random, 2048);
-
- // It's self-signed, so these are the same.
- var issuerKeyPair = subjectKeyPair;
-
- var serialNumber = GenerateSerialNumber(random);
- var issuerSerialNumber = serialNumber; // Self-signed, so it's the same serial number.
-
- const bool isCertificateAuthority = true;
- var certificate = GenerateCertificate(random, subjectName, subjectKeyPair, serialNumber,
- subjectAlternativeNames, issuerName, issuerKeyPair,
- issuerSerialNumber, isCertificateAuthority,
- usages);
- return ConvertCertificate(certificate, subjectKeyPair, random);
- }
-
- ///
- /// CreateSelfSignedCertificate method
- ///
- public X509Certificate2 CreateSelfSignedCertificate(string subjectName, string[] subjectAlternativeNames, KeyPurposeID[] usages)
- {
- // It's self-signed, so these are the same.
- var issuerName = subjectName;
-
- var random = GetSecureRandom();
- var subjectKeyPair = GenerateKeyPair(random, 2048);
-
- // It's self-signed, so these are the same.
- var issuerKeyPair = subjectKeyPair;
-
- var serialNumber = GenerateSerialNumber(random);
- var issuerSerialNumber = serialNumber; // Self-signed, so it's the same serial number.
-
- const bool isCertificateAuthority = false;
- var certificate = GenerateCertificate(random, subjectName, subjectKeyPair, serialNumber,
- subjectAlternativeNames, issuerName, issuerKeyPair,
- issuerSerialNumber, isCertificateAuthority,
- usages);
- return ConvertCertificate(certificate, subjectKeyPair, random);
- }
-
- private SecureRandom GetSecureRandom()
- {
- // Since we're on Windows, we'll use the CryptoAPI one (on the assumption
- // that it might have access to better sources of entropy than the built-in
- // Bouncy Castle ones):
- var randomGenerator = new CryptoApiRandomGenerator();
- var random = new SecureRandom(randomGenerator);
- return random;
- }
-
- private X509Certificate GenerateCertificate(SecureRandom random,
- string subjectName,
- AsymmetricCipherKeyPair subjectKeyPair,
- BigInteger subjectSerialNumber,
- string[] subjectAlternativeNames,
- string issuerName,
- AsymmetricCipherKeyPair issuerKeyPair,
- BigInteger issuerSerialNumber,
- bool isCertificateAuthority,
- KeyPurposeID[] usages)
- {
- var certificateGenerator = new X509V3CertificateGenerator();
-
- certificateGenerator.SetSerialNumber(subjectSerialNumber);
-
- var issuerDN = new X509Name(issuerName);
- certificateGenerator.SetIssuerDN(issuerDN);
-
- // Note: The subject can be omitted if you specify a subject alternative name (SAN).
- var subjectDN = new X509Name(subjectName);
- certificateGenerator.SetSubjectDN(subjectDN);
-
- // Our certificate needs valid from/to values.
- var notBefore = DateTime.UtcNow.Date;
- var notAfter = notBefore.AddYears(2);
-
- certificateGenerator.SetNotBefore(notBefore);
- certificateGenerator.SetNotAfter(notAfter);
-
- // The subject's public key goes in the certificate.
- certificateGenerator.SetPublicKey(subjectKeyPair.Public);
-
- AddAuthorityKeyIdentifier(certificateGenerator, issuerDN, issuerKeyPair, issuerSerialNumber);
- AddSubjectKeyIdentifier(certificateGenerator, subjectKeyPair);
- //AddBasicConstraints(certificateGenerator, isCertificateAuthority);
-
- if (usages != null && usages.Any())
- AddExtendedKeyUsage(certificateGenerator, usages);
-
- if (subjectAlternativeNames != null && subjectAlternativeNames.Any())
- AddSubjectAlternativeNames(certificateGenerator, subjectAlternativeNames);
-
- // Set the signature algorithm. This is used to generate the thumbprint which is then signed
- // with the issuer's private key. We'll use SHA-256, which is (currently) considered fairly strong.
- const string signatureAlgorithm = "SHA256WithRSA";
-
- // The certificate is signed with the issuer's private key.
- ISignatureFactory signatureFactory = new Asn1SignatureFactory(signatureAlgorithm, issuerKeyPair.Private, random);
- var certificate = certificateGenerator.Generate(signatureFactory);
- return certificate;
- }
-
- ///
- /// The certificate needs a serial number. This is used for revocation,
- /// and usually should be an incrementing index (which makes it easier to revoke a range of certificates).
- /// Since we don't have anywhere to store the incrementing index, we can just use a random number.
- ///
- ///
- ///
- private BigInteger GenerateSerialNumber(SecureRandom random)
- {
- var serialNumber =
- BigIntegers.CreateRandomInRange(
- BigInteger.One, BigInteger.ValueOf(Int64.MaxValue), random);
- return serialNumber;
- }
-
- ///
- /// Generate a key pair.
- ///
- /// The random number generator.
- /// The key length in bits. For RSA, 2048 bits should be considered the minimum acceptable these days.
- ///
- private AsymmetricCipherKeyPair GenerateKeyPair(SecureRandom random, int strength)
- {
- var keyGenerationParameters = new KeyGenerationParameters(random, strength);
-
- var keyPairGenerator = new RsaKeyPairGenerator();
- keyPairGenerator.Init(keyGenerationParameters);
- var subjectKeyPair = keyPairGenerator.GenerateKeyPair();
- return subjectKeyPair;
- }
-
- ///
- /// Add the Authority Key Identifier. According to http://www.alvestrand.no/objectid/2.5.29.35.html, this
- /// identifies the public key to be used to verify the signature on this certificate.
- /// In a certificate chain, this corresponds to the "Subject Key Identifier" on the *issuer* certificate.
- /// The Bouncy Castle documentation, at http://www.bouncycastle.org/wiki/display/JA1/X.509+Public+Key+Certificate+and+Certification+Request+Generation,
- /// shows how to create this from the issuing certificate. Since we're creating a self-signed certificate, we have to do this slightly differently.
- ///
- ///
- ///
- ///
- ///
- private void AddAuthorityKeyIdentifier(X509V3CertificateGenerator certificateGenerator,
- X509Name issuerDN,
- AsymmetricCipherKeyPair issuerKeyPair,
- BigInteger issuerSerialNumber)
- {
- var authorityKeyIdentifierExtension =
- new AuthorityKeyIdentifier(
- SubjectPublicKeyInfoFactory.CreateSubjectPublicKeyInfo(issuerKeyPair.Public),
- new GeneralNames(new GeneralName(issuerDN)),
- issuerSerialNumber);
- certificateGenerator.AddExtension(
- X509Extensions.AuthorityKeyIdentifier.Id, false, authorityKeyIdentifierExtension);
- }
-
- ///
- /// Add the "Subject Alternative Names" extension. Note that you have to repeat
- /// the value from the "Subject Name" property.
- ///
- ///
- ///
- private void AddSubjectAlternativeNames(X509V3CertificateGenerator certificateGenerator,
- IEnumerable subjectAlternativeNames)
- {
- var subjectAlternativeNamesExtension =
- new DerSequence(
- subjectAlternativeNames.Select(name => new GeneralName(GeneralName.DnsName, name))
- .ToArray());
- certificateGenerator.AddExtension(
- X509Extensions.SubjectAlternativeName.Id, false, subjectAlternativeNamesExtension);
- }
-
- ///
- /// Add the "Extended Key Usage" extension, specifying (for example) "server authentication".
- ///
- ///
- ///
- private void AddExtendedKeyUsage(X509V3CertificateGenerator certificateGenerator, KeyPurposeID[] usages)
- {
- certificateGenerator.AddExtension(
- X509Extensions.ExtendedKeyUsage.Id, false, new ExtendedKeyUsage(usages));
- }
-
- ///
- /// Add the "Basic Constraints" extension.
- ///
- ///
- ///
- private void AddBasicConstraints(X509V3CertificateGenerator certificateGenerator,
- bool isCertificateAuthority)
- {
- certificateGenerator.AddExtension(
- X509Extensions.BasicConstraints.Id, true, new BasicConstraints(isCertificateAuthority));
- }
-
- ///
- /// Add the Subject Key Identifier.
- ///
- ///
- ///
- private void AddSubjectKeyIdentifier(X509V3CertificateGenerator certificateGenerator,
- AsymmetricCipherKeyPair subjectKeyPair)
- {
- var subjectKeyIdentifierExtension =
- new SubjectKeyIdentifier(
- SubjectPublicKeyInfoFactory.CreateSubjectPublicKeyInfo(subjectKeyPair.Public));
- certificateGenerator.AddExtension(
- X509Extensions.SubjectKeyIdentifier.Id, false, subjectKeyIdentifierExtension);
- }
-
- private X509Certificate2 ConvertCertificate(X509Certificate certificate,
- AsymmetricCipherKeyPair subjectKeyPair,
- SecureRandom random)
- {
- // Now to convert the Bouncy Castle certificate to a .NET certificate.
- // See http://web.archive.org/web/20100504192226/http://www.fkollmann.de/v2/post/Creating-certificates-using-BouncyCastle.aspx
- // ...but, basically, we create a PKCS12 store (a .PFX file) in memory, and add the public and private key to that.
- var store = new Pkcs12StoreBuilder().Build();
-
- // What Bouncy Castle calls "alias" is the same as what Windows terms the "friendly name".
- string friendlyName = certificate.SubjectDN.ToString();
-
- // Add the certificate.
- var certificateEntry = new X509CertificateEntry(certificate);
- store.SetCertificateEntry(friendlyName, certificateEntry);
-
- // Add the private key.
- store.SetKeyEntry(friendlyName, new AsymmetricKeyEntry(subjectKeyPair.Private), new[] { certificateEntry });
-
- // Convert it to an X509Certificate2 object by saving/loading it from a MemoryStream.
- // It needs a password. Since we'll remove this later, it doesn't particularly matter what we use.
-
- var stream = new MemoryStream();
- store.Save(stream, CertificatePassword.ToCharArray(), random);
-
- var convertedCertificate =
- new X509Certificate2(stream.ToArray(),
- CertificatePassword,
- X509KeyStorageFlags.PersistKeySet | X509KeyStorageFlags.Exportable);
- return convertedCertificate;
- }
-
- ///
- /// WriteCertificate method
- ///
- public void WriteCertificate(X509Certificate2 certificate, string outputDirectory, string certName)
- {
- // This password is the one attached to the PFX file. Use 'null' for no password.
- // Create PFX (PKCS #12) with private key
try
{
- var pfx = certificate.Export(X509ContentType.Pfx, CertificatePassword);
- File.WriteAllBytes(string.Format("{0}.pfx", Path.Combine(outputDirectory, certName)), pfx);
+ var contents = string.Format("-----BEGIN CERTIFICATE-----\r\n{0}\r\n-----END CERTIFICATE-----", Convert.ToBase64String(certificate.Export(X509ContentType.Cert), Base64FormattingOptions.InsertLineBreaks));
+ writer.Write(contents);
}
catch (Exception ex)
{
- CrestronConsole.PrintLine(string.Format("Failed to write x509 cert pfx\r\n{0}", ex.Message));
+ CrestronConsole.PrintLine(string.Format("Failed to write x509 cert cer\r\n{0}", ex.Message));
}
- // Create Base 64 encoded CER (public key only)
- using (var writer = new StreamWriter($"{Path.Combine(outputDirectory, certName)}.cer", false))
- {
- try
- {
- var contents = string.Format("-----BEGIN CERTIFICATE-----\r\n{0}\r\n-----END CERTIFICATE-----", Convert.ToBase64String(certificate.Export(X509ContentType.Cert), Base64FormattingOptions.InsertLineBreaks));
- writer.Write(contents);
- }
- catch (Exception ex)
- {
- CrestronConsole.PrintLine(string.Format("Failed to write x509 cert cer\r\n{0}", ex.Message));
- }
- }
- }
- ///
- /// AddCertToStore method
- ///
- public bool AddCertToStore(X509Certificate2 cert, System.Security.Cryptography.X509Certificates.StoreName st, System.Security.Cryptography.X509Certificates.StoreLocation sl)
- {
- bool bRet = false;
-
- try
- {
- var store = new System.Security.Cryptography.X509Certificates.X509Store(st, sl);
- store.Open(System.Security.Cryptography.X509Certificates.OpenFlags.ReadWrite);
- store.Add(cert);
-
- store.Close();
- bRet = true;
- }
- catch (Exception ex)
- {
- CrestronConsole.PrintLine(string.Format("AddCertToStore Failed\r\n{0}\r\n{1}", ex.Message, ex.StackTrace));
- }
-
- return bRet;
}
}
+ public bool AddCertToStore(X509Certificate2 cert, System.Security.Cryptography.X509Certificates.StoreName st, System.Security.Cryptography.X509Certificates.StoreLocation sl)
+ {
+ bool bRet = false;
+
+ try
+ {
+ var store = new System.Security.Cryptography.X509Certificates.X509Store(st, sl);
+ store.Open(System.Security.Cryptography.X509Certificates.OpenFlags.ReadWrite);
+ store.Add(cert);
+
+ store.Close();
+ bRet = true;
+ }
+ catch (Exception ex)
+ {
+ CrestronConsole.PrintLine(string.Format("AddCertToStore Failed\r\n{0}\r\n{1}", ex.Message, ex.StackTrace));
+ }
+
+ return bRet;
+ }
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/Web/RequestHandlers/DefaultRequestHandler.cs b/src/PepperDash.Core/Web/RequestHandlers/DefaultRequestHandler.cs
index 154dc01e..2fee0a62 100644
--- a/src/PepperDash.Core/Web/RequestHandlers/DefaultRequestHandler.cs
+++ b/src/PepperDash.Core/Web/RequestHandlers/DefaultRequestHandler.cs
@@ -1,10 +1,10 @@
using Crestron.SimplSharp.WebScripting;
-namespace PepperDash.Core.Web.RequestHandlers
-{
- ///
- /// Represents a DefaultRequestHandler
- ///
+namespace PepperDash.Core.Web.RequestHandlers;
+
+ ///
+ /// Web API default request handler
+ ///
public class DefaultRequestHandler : WebApiBaseRequestHandler
{
///
@@ -13,5 +13,4 @@ namespace PepperDash.Core.Web.RequestHandlers
public DefaultRequestHandler()
: base(true)
{ }
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/Web/RequestHandlers/WebApiBaseRequestAsyncHandler.cs b/src/PepperDash.Core/Web/RequestHandlers/WebApiBaseRequestAsyncHandler.cs
index 927092db..e8b3e85b 100644
--- a/src/PepperDash.Core/Web/RequestHandlers/WebApiBaseRequestAsyncHandler.cs
+++ b/src/PepperDash.Core/Web/RequestHandlers/WebApiBaseRequestAsyncHandler.cs
@@ -3,164 +3,160 @@ using System;
using System.Collections.Generic;
using System.Threading.Tasks;
-namespace PepperDash.Core.Web.RequestHandlers
+namespace PepperDash.Core.Web.RequestHandlers;
+
+public abstract class WebApiBaseRequestAsyncHandler:IHttpCwsHandler
{
- public abstract class WebApiBaseRequestAsyncHandler:IHttpCwsHandler
+ private readonly Dictionary> _handlers;
+ protected readonly bool EnableCors;
+
+ ///
+ /// Constructor
+ ///
+ protected WebApiBaseRequestAsyncHandler(bool enableCors)
{
- private readonly Dictionary> _handlers;
- protected readonly bool EnableCors;
+ EnableCors = enableCors;
- ///
- /// Constructor
- ///
- protected WebApiBaseRequestAsyncHandler(bool enableCors)
+ _handlers = new Dictionary>
{
- EnableCors = enableCors;
+ {"CONNECT", HandleConnect},
+ {"DELETE", HandleDelete},
+ {"GET", HandleGet},
+ {"HEAD", HandleHead},
+ {"OPTIONS", HandleOptions},
+ {"PATCH", HandlePatch},
+ {"POST", HandlePost},
+ {"PUT", HandlePut},
+ {"TRACE", HandleTrace}
+ };
+ }
- _handlers = new Dictionary>
- {
- {"CONNECT", HandleConnect},
- {"DELETE", HandleDelete},
- {"GET", HandleGet},
- {"HEAD", HandleHead},
- {"OPTIONS", HandleOptions},
- {"PATCH", HandlePatch},
- {"POST", HandlePost},
- {"PUT", HandlePut},
- {"TRACE", HandleTrace}
- };
+ ///
+ /// Constructor
+ ///
+ protected WebApiBaseRequestAsyncHandler()
+ : this(false)
+ {
+ }
+
+ ///
+ /// Handles CONNECT method requests
+ ///
+ ///
+ protected virtual async Task HandleConnect(HttpCwsContext context)
+ {
+ context.Response.StatusCode = 501;
+ context.Response.StatusDescription = "Not Implemented";
+ context.Response.End();
+ }
+
+ ///
+ /// Handles DELETE method requests
+ ///
+ ///
+ protected virtual async Task HandleDelete(HttpCwsContext context)
+ {
+ context.Response.StatusCode = 501;
+ context.Response.StatusDescription = "Not Implemented";
+ context.Response.End();
+ }
+
+ ///
+ /// Handles GET method requests
+ ///
+ ///
+ protected virtual async Task HandleGet(HttpCwsContext context)
+ {
+ context.Response.StatusCode = 501;
+ context.Response.StatusDescription = "Not Implemented";
+ context.Response.End();
+ }
+
+ ///
+ /// Handles HEAD method requests
+ ///
+ ///
+ protected virtual async Task HandleHead(HttpCwsContext context)
+ {
+ context.Response.StatusCode = 501;
+ context.Response.StatusDescription = "Not Implemented";
+ context.Response.End();
+ }
+
+ ///
+ /// Handles OPTIONS method requests
+ ///
+ ///
+ protected virtual async Task HandleOptions(HttpCwsContext context)
+ {
+ context.Response.StatusCode = 501;
+ context.Response.StatusDescription = "Not Implemented";
+ context.Response.End();
+ }
+
+ ///
+ /// Handles PATCH method requests
+ ///
+ ///
+ protected virtual async Task HandlePatch(HttpCwsContext context)
+ {
+ context.Response.StatusCode = 501;
+ context.Response.StatusDescription = "Not Implemented";
+ context.Response.End();
+ }
+
+ ///
+ /// Handles POST method requests
+ ///
+ ///
+ protected virtual async Task HandlePost(HttpCwsContext context)
+ {
+ context.Response.StatusCode = 501;
+ context.Response.StatusDescription = "Not Implemented";
+ context.Response.End();
+ }
+
+ ///
+ /// Handles PUT method requests
+ ///
+ ///
+ protected virtual async Task HandlePut(HttpCwsContext context)
+ {
+ context.Response.StatusCode = 501;
+ context.Response.StatusDescription = "Not Implemented";
+ context.Response.End();
+ }
+
+ ///
+ /// Handles TRACE method requests
+ ///
+ ///
+ protected virtual async Task HandleTrace(HttpCwsContext context)
+ {
+ context.Response.StatusCode = 501;
+ context.Response.StatusDescription = "Not Implemented";
+ context.Response.End();
+ }
+
+ ///
+ /// Process request
+ ///
+ ///
+ public void ProcessRequest(HttpCwsContext context)
+ {
+ if (!_handlers.TryGetValue(context.Request.HttpMethod, out Func handler))
+ {
+ return;
}
- ///
- /// Constructor
- ///
- protected WebApiBaseRequestAsyncHandler()
- : this(false)
+ if (EnableCors)
{
+ context.Response.Headers.Add("Access-Control-Allow-Origin", "*");
+ context.Response.Headers.Add("Access-Control-Allow-Methods", "POST, GET, OPTIONS");
}
- ///
- /// Handles CONNECT method requests
- ///
- ///
- protected virtual async Task HandleConnect(HttpCwsContext context)
- {
- context.Response.StatusCode = 501;
- context.Response.StatusDescription = "Not Implemented";
- context.Response.End();
- }
+ var handlerTask = handler(context);
- ///
- /// Handles DELETE method requests
- ///
- ///
- protected virtual async Task HandleDelete(HttpCwsContext context)
- {
- context.Response.StatusCode = 501;
- context.Response.StatusDescription = "Not Implemented";
- context.Response.End();
- }
-
- ///
- /// Handles GET method requests
- ///
- ///
- protected virtual async Task HandleGet(HttpCwsContext context)
- {
- context.Response.StatusCode = 501;
- context.Response.StatusDescription = "Not Implemented";
- context.Response.End();
- }
-
- ///
- /// Handles HEAD method requests
- ///
- ///
- protected virtual async Task HandleHead(HttpCwsContext context)
- {
- context.Response.StatusCode = 501;
- context.Response.StatusDescription = "Not Implemented";
- context.Response.End();
- }
-
- ///
- /// Handles OPTIONS method requests
- ///
- ///
- protected virtual async Task HandleOptions(HttpCwsContext context)
- {
- context.Response.StatusCode = 501;
- context.Response.StatusDescription = "Not Implemented";
- context.Response.End();
- }
-
- ///
- /// Handles PATCH method requests
- ///
- ///
- protected virtual async Task HandlePatch(HttpCwsContext context)
- {
- context.Response.StatusCode = 501;
- context.Response.StatusDescription = "Not Implemented";
- context.Response.End();
- }
-
- ///
- /// Handles POST method requests
- ///
- ///
- protected virtual async Task HandlePost(HttpCwsContext context)
- {
- context.Response.StatusCode = 501;
- context.Response.StatusDescription = "Not Implemented";
- context.Response.End();
- }
-
- ///
- /// Handles PUT method requests
- ///
- ///
- protected virtual async Task HandlePut(HttpCwsContext context)
- {
- context.Response.StatusCode = 501;
- context.Response.StatusDescription = "Not Implemented";
- context.Response.End();
- }
-
- ///
- /// Handles TRACE method requests
- ///
- ///
- protected virtual async Task HandleTrace(HttpCwsContext context)
- {
- context.Response.StatusCode = 501;
- context.Response.StatusDescription = "Not Implemented";
- context.Response.End();
- }
-
- ///
- /// Process request
- ///
- ///
- ///
- /// ProcessRequest method
- ///
- public void ProcessRequest(HttpCwsContext context)
- {
- if (!_handlers.TryGetValue(context.Request.HttpMethod, out Func handler))
- {
- return;
- }
-
- if (EnableCors)
- {
- context.Response.Headers.Add("Access-Control-Allow-Origin", "*");
- context.Response.Headers.Add("Access-Control-Allow-Methods", "POST, GET, OPTIONS");
- }
-
- var handlerTask = handler(context);
-
- handlerTask.GetAwaiter().GetResult();
- }
+ handlerTask.GetAwaiter().GetResult();
}
}
diff --git a/src/PepperDash.Core/Web/RequestHandlers/WebApiBaseRequestHandler.cs b/src/PepperDash.Core/Web/RequestHandlers/WebApiBaseRequestHandler.cs
index a02f3497..0d36a863 100644
--- a/src/PepperDash.Core/Web/RequestHandlers/WebApiBaseRequestHandler.cs
+++ b/src/PepperDash.Core/Web/RequestHandlers/WebApiBaseRequestHandler.cs
@@ -2,8 +2,8 @@
using System.Collections.Generic;
using Crestron.SimplSharp.WebScripting;
-namespace PepperDash.Core.Web.RequestHandlers
-{
+namespace PepperDash.Core.Web.RequestHandlers;
+
///
/// CWS Base Handler, implements IHttpCwsHandler
///
@@ -164,5 +164,4 @@ namespace PepperDash.Core.Web.RequestHandlers
handler(context);
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/Web/WebApiServer.cs b/src/PepperDash.Core/Web/WebApiServer.cs
index 42bc555b..4b7c1c30 100644
--- a/src/PepperDash.Core/Web/WebApiServer.cs
+++ b/src/PepperDash.Core/Web/WebApiServer.cs
@@ -10,8 +10,8 @@ using JsonConvert = NewtonsoftJson::Newtonsoft.Json.JsonConvert;
using JObject = NewtonsoftJson::Newtonsoft.Json.Linq.JObject;
using PepperDash.Core.Web.RequestHandlers;
-namespace PepperDash.Core.Web
-{
+namespace PepperDash.Core.Web;
+
///
/// Web API server
///
@@ -286,5 +286,4 @@ namespace PepperDash.Core.Web
Debug.Console(DebugVerbose, this, "ReceivedRequestEventHandler Exception InnerException: {0}", ex.InnerException);
}
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/WebApi/Presets/Preset.cs b/src/PepperDash.Core/WebApi/Presets/Preset.cs
index 88df890c..8d174b78 100644
--- a/src/PepperDash.Core/WebApi/Presets/Preset.cs
+++ b/src/PepperDash.Core/WebApi/Presets/Preset.cs
@@ -1,45 +1,45 @@
using System;
-namespace PepperDash.Core.WebApi.Presets
-{
- ///
- /// Represents a Preset
- ///
+namespace PepperDash.Core.WebApi.Presets;
+
+///
+/// Represents a preset
+///
public class Preset
{
- ///
- /// ID of preset
- ///
+ ///
+ /// ID of preset
+ ///
public int Id { get; set; }
- ///
- /// Gets or sets the UserId
- ///
+ ///
+ /// User ID
+ ///
public int UserId { get; set; }
- ///
- /// Gets or sets the RoomTypeId
- ///
+ ///
+ /// Room Type ID
+ ///
public int RoomTypeId { get; set; }
- ///
- /// Gets or sets the PresetName
- ///
+ ///
+ /// Preset Name
+ ///
public string PresetName { get; set; }
- ///
- /// Gets or sets the PresetNumber
- ///
+ ///
+ /// Preset Number
+ ///
public int PresetNumber { get; set; }
- ///
- /// Gets or sets the Data
- ///
+ ///
+ /// Preset Data
+ ///
public string Data { get; set; }
- ///
- /// Constructor
- ///
+ ///
+ /// Constructor
+ ///
public Preset()
{
PresetName = "";
@@ -53,35 +53,34 @@ namespace PepperDash.Core.WebApi.Presets
///
public class PresetReceivedEventArgs : EventArgs
{
- ///
- /// True when the preset is found
- ///
- public bool LookupSuccess { get; private set; }
-
- ///
- /// Gets or sets the ULookupSuccess
- ///
- public ushort ULookupSuccess { get { return (ushort)(LookupSuccess ? 1 : 0); } }
+ ///
+ /// True when the preset is found
+ ///
+ public bool LookupSuccess { get; private set; }
+
+ ///
+ /// S+ helper
+ ///
+ public ushort ULookupSuccess { get { return (ushort)(LookupSuccess ? 1 : 0); } }
- ///
- /// Gets or sets the Preset
- ///
- public Preset Preset { get; private set; }
+ ///
+ /// The preset
+ ///
+ public Preset Preset { get; private set; }
///
/// For Simpl+
///
public PresetReceivedEventArgs() { }
- ///
- /// Constructor
- ///
- ///
- ///
+ ///
+ /// Constructor
+ ///
+ ///
+ ///
public PresetReceivedEventArgs(Preset preset, bool success)
{
- LookupSuccess = success;
+ LookupSuccess = success;
Preset = preset;
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/WebApi/Presets/User.cs b/src/PepperDash.Core/WebApi/Presets/User.cs
index 4044ae7b..a20803e4 100644
--- a/src/PepperDash.Core/WebApi/Presets/User.cs
+++ b/src/PepperDash.Core/WebApi/Presets/User.cs
@@ -4,31 +4,31 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Core.WebApi.Presets
-{
+namespace PepperDash.Core.WebApi.Presets;
+
///
///
///
public class User
{
- ///
- ///
- ///
+ ///
+ ///
+ ///
public int Id { get; set; }
- ///
- /// Gets or sets the ExternalId
- ///
+ ///
+ ///
+ ///
public string ExternalId { get; set; }
- ///
- /// Gets or sets the FirstName
- ///
+ ///
+ ///
+ ///
public string FirstName { get; set; }
- ///
- /// Gets or sets the LastName
- ///
+ ///
+ ///
+ ///
public string LastName { get; set; }
}
@@ -38,19 +38,19 @@ namespace PepperDash.Core.WebApi.Presets
///
public class UserReceivedEventArgs : EventArgs
{
- ///
- /// True when user is found
- ///
- public bool LookupSuccess { get; private set; }
+ ///
+ /// True when user is found
+ ///
+ public bool LookupSuccess { get; private set; }
- ///
- /// Gets or sets the ULookupSuccess
- ///
- public ushort ULookupSuccess { get { return (ushort)(LookupSuccess ? 1 : 0); } }
+ ///
+ /// For stupid S+
+ ///
+ public ushort ULookupSuccess { get { return (ushort)(LookupSuccess ? 1 : 0); } }
- ///
- /// Gets or sets the User
- ///
+ ///
+ ///
+ ///
public User User { get; private set; }
///
@@ -58,14 +58,14 @@ namespace PepperDash.Core.WebApi.Presets
///
public UserReceivedEventArgs() { }
- ///
- /// Constructor
- ///
- ///
- ///
+ ///
+ /// Constructor
+ ///
+ ///
+ ///
public UserReceivedEventArgs(User user, bool success)
{
- LookupSuccess = success;
+ LookupSuccess = success;
User = user;
}
}
@@ -75,19 +75,18 @@ namespace PepperDash.Core.WebApi.Presets
///
public class UserAndRoomMessage
{
- ///
- ///
- ///
+ ///
+ ///
+ ///
public int UserId { get; set; }
- ///
- /// Gets or sets the RoomTypeId
- ///
+ ///
+ ///
+ ///
public int RoomTypeId { get; set; }
- ///
- /// Gets or sets the PresetNumber
- ///
+ ///
+ ///
+ ///
public int PresetNumber { get; set; }
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Core/WebApi/Presets/WebApiPasscodeClient.cs b/src/PepperDash.Core/WebApi/Presets/WebApiPasscodeClient.cs
index 831d2d02..32e63cda 100644
--- a/src/PepperDash.Core/WebApi/Presets/WebApiPasscodeClient.cs
+++ b/src/PepperDash.Core/WebApi/Presets/WebApiPasscodeClient.cs
@@ -10,26 +10,26 @@ using JObject = NewtonsoftJson::Newtonsoft.Json.Linq.JObject;
using PepperDash.Core.JsonToSimpl;
-namespace PepperDash.Core.WebApi.Presets
-{
- ///
- /// Passcode client for the WebApi
- ///
+namespace PepperDash.Core.WebApi.Presets;
+
+///
+/// Passcode client for the WebApi
+///
public class WebApiPasscodeClient : IKeyed
{
- ///
- /// Notifies when user received
- ///
+ ///
+ /// Notifies when user received
+ ///
public event EventHandler UserReceived;
- ///
- /// Notifies when Preset received
- ///
+ ///
+ /// Notifies when Preset received
+ ///
public event EventHandler PresetReceived;
- ///
- /// Gets or sets the Key
- ///
+ ///
+ /// Unique identifier for this instance
+ ///
public string Key { get; private set; }
//string JsonMasterKey;
@@ -56,13 +56,13 @@ namespace PepperDash.Core.WebApi.Presets
{
}
- ///
- /// Initializes the instance
- ///
- ///
- ///
- ///
- ///
+ ///
+ /// Initializes the instance
+ ///
+ ///
+ ///
+ ///
+ ///
public void Initialize(string key, string jsonMasterKey, string urlBase, string defaultPresetJsonFilePath)
{
Key = key;
@@ -75,44 +75,41 @@ namespace PepperDash.Core.WebApi.Presets
J2SMaster.Initialize(jsonMasterKey);
}
- ///
- /// Gets the user for a passcode
- ///
- ///
- ///
- /// GetUserForPasscode method
- ///
+ ///
+ /// Gets the user for a passcode
+ ///
+ ///
public void GetUserForPasscode(string passcode)
{
- // Bullshit duplicate code here... These two cases should be the same
- // except for https/http and the certificate ignores
- if (!UrlBase.StartsWith("https"))
- return;
- var req = new HttpsClientRequest();
- req.Url = new UrlParser(UrlBase + "/api/users/dopin");
- req.RequestType = Crestron.SimplSharp.Net.Https.RequestType.Post;
- req.Header.AddHeader(new HttpsHeader("Content-Type", "application/json"));
- req.Header.AddHeader(new HttpsHeader("Accept", "application/json"));
- var jo = new JObject();
- jo.Add("pin", passcode);
- req.ContentString = jo.ToString();
+ // Bullshit duplicate code here... These two cases should be the same
+ // except for https/http and the certificate ignores
+ if (!UrlBase.StartsWith("https"))
+ return;
+ var req = new HttpsClientRequest();
+ req.Url = new UrlParser(UrlBase + "/api/users/dopin");
+ req.RequestType = Crestron.SimplSharp.Net.Https.RequestType.Post;
+ req.Header.AddHeader(new HttpsHeader("Content-Type", "application/json"));
+ req.Header.AddHeader(new HttpsHeader("Accept", "application/json"));
+ var jo = new JObject();
+ jo.Add("pin", passcode);
+ req.ContentString = jo.ToString();
- var client = new HttpsClient();
- client.HostVerification = false;
- client.PeerVerification = false;
- var resp = client.Dispatch(req);
- var handler = UserReceived;
- if (resp.Code == 200)
- {
- //CrestronConsole.PrintLine("Received: {0}", resp.ContentString);
- var user = JsonConvert.DeserializeObject(resp.ContentString);
- CurrentUser = user;
- if (handler != null)
- UserReceived(this, new UserReceivedEventArgs(user, true));
- }
- else
- if (handler != null)
- UserReceived(this, new UserReceivedEventArgs(null, false));
+ var client = new HttpsClient();
+ client.HostVerification = false;
+ client.PeerVerification = false;
+ var resp = client.Dispatch(req);
+ var handler = UserReceived;
+ if (resp.Code == 200)
+ {
+ //CrestronConsole.PrintLine("Received: {0}", resp.ContentString);
+ var user = JsonConvert.DeserializeObject(resp.ContentString);
+ CurrentUser = user;
+ if (handler != null)
+ UserReceived(this, new UserReceivedEventArgs(user, true));
+ }
+ else
+ if (handler != null)
+ UserReceived(this, new UserReceivedEventArgs(null, false));
}
///
@@ -138,57 +135,57 @@ namespace PepperDash.Core.WebApi.Presets
PresetNumber = presetNumber
};
- var handler = PresetReceived;
+ var handler = PresetReceived;
try
{
- if (!UrlBase.StartsWith("https"))
- return;
- var req = new HttpsClientRequest();
- req.Url = new UrlParser(UrlBase + "/api/presets/userandroom");
- req.RequestType = Crestron.SimplSharp.Net.Https.RequestType.Post;
- req.Header.AddHeader(new HttpsHeader("Content-Type", "application/json"));
- req.Header.AddHeader(new HttpsHeader("Accept", "application/json"));
- req.ContentString = JsonConvert.SerializeObject(msg);
+ if (!UrlBase.StartsWith("https"))
+ return;
+ var req = new HttpsClientRequest();
+ req.Url = new UrlParser(UrlBase + "/api/presets/userandroom");
+ req.RequestType = Crestron.SimplSharp.Net.Https.RequestType.Post;
+ req.Header.AddHeader(new HttpsHeader("Content-Type", "application/json"));
+ req.Header.AddHeader(new HttpsHeader("Accept", "application/json"));
+ req.ContentString = JsonConvert.SerializeObject(msg);
- var client = new HttpsClient();
- client.HostVerification = false;
- client.PeerVerification = false;
+ var client = new HttpsClient();
+ client.HostVerification = false;
+ client.PeerVerification = false;
- // ask for the preset
- var resp = client.Dispatch(req);
- if (resp.Code == 200) // got it
+ // ask for the preset
+ var resp = client.Dispatch(req);
+ if (resp.Code == 200) // got it
+ {
+ //Debug.Console(1, this, "Received: {0}", resp.ContentString);
+ var preset = JsonConvert.DeserializeObject(resp.ContentString);
+ CurrentPreset = preset;
+
+ //if there's no preset data, load the template
+ if (preset.Data == null || preset.Data.Trim() == string.Empty || JObject.Parse(preset.Data).Count == 0)
{
- //Debug.Console(1, this, "Received: {0}", resp.ContentString);
- var preset = JsonConvert.DeserializeObject(resp.ContentString);
- CurrentPreset = preset;
-
- //if there's no preset data, load the template
- if (preset.Data == null || preset.Data.Trim() == string.Empty || JObject.Parse(preset.Data).Count == 0)
- {
- //Debug.Console(1, this, "Loaded preset has no data. Loading default template.");
- LoadDefaultPresetData();
- return;
- }
-
- J2SMaster.LoadWithJson(preset.Data);
- if (handler != null)
- PresetReceived(this, new PresetReceivedEventArgs(preset, true));
- }
- else // no existing preset
- {
- CurrentPreset = new Preset();
+ //Debug.Console(1, this, "Loaded preset has no data. Loading default template.");
LoadDefaultPresetData();
- if (handler != null)
- PresetReceived(this, new PresetReceivedEventArgs(null, false));
+ return;
}
+
+ J2SMaster.LoadWithJson(preset.Data);
+ if (handler != null)
+ PresetReceived(this, new PresetReceivedEventArgs(preset, true));
+ }
+ else // no existing preset
+ {
+ CurrentPreset = new Preset();
+ LoadDefaultPresetData();
+ if (handler != null)
+ PresetReceived(this, new PresetReceivedEventArgs(null, false));
+ }
}
catch (HttpException e)
{
var resp = e.Response;
Debug.Console(1, this, "No preset received (code {0}). Loading default template", resp.Code);
LoadDefaultPresetData();
- if (handler != null)
- PresetReceived(this, new PresetReceivedEventArgs(null, false));
+ if (handler != null)
+ PresetReceived(this, new PresetReceivedEventArgs(null, false));
}
}
@@ -247,8 +244,8 @@ namespace PepperDash.Core.WebApi.Presets
{
CurrentPreset.Data = json;
- if (!UrlBase.StartsWith("https"))
- return;
+ if (!UrlBase.StartsWith("https"))
+ return;
var req = new HttpsClientRequest();
req.RequestType = Crestron.SimplSharp.Net.Https.RequestType.Post;
req.Url = new UrlParser(string.Format("{0}/api/presets/addorchange", UrlBase));
@@ -257,8 +254,8 @@ namespace PepperDash.Core.WebApi.Presets
req.ContentString = JsonConvert.SerializeObject(CurrentPreset);
var client = new HttpsClient();
- client.HostVerification = false;
- client.PeerVerification = false;
+ client.HostVerification = false;
+ client.PeerVerification = false;
try
{
var resp = client.Dispatch(req);
@@ -281,4 +278,3 @@ namespace PepperDash.Core.WebApi.Presets
}
}
}
-}
diff --git a/src/PepperDash.Core/XSigUtility/Serialization/IXSigSerialization.cs b/src/PepperDash.Core/XSigUtility/Serialization/IXSigSerialization.cs
index 8303731e..b1dcae6b 100644
--- a/src/PepperDash.Core/XSigUtility/Serialization/IXSigSerialization.cs
+++ b/src/PepperDash.Core/XSigUtility/Serialization/IXSigSerialization.cs
@@ -1,25 +1,24 @@
using System.Collections.Generic;
using PepperDash.Core.Intersystem.Tokens;
-namespace PepperDash.Core.Intersystem.Serialization
+namespace PepperDash.Core.Intersystem.Serialization;
+
+///
+/// Interface to determine XSig serialization for an object.
+///
+public interface IXSigSerialization
{
///
- /// Interface to determine XSig serialization for an object.
+ /// Serialize the sig data
///
- public interface IXSigSerialization
- {
- ///
- /// Serialize the sig data
- ///
- ///
- IEnumerable Serialize();
+ ///
+ IEnumerable Serialize();
- ///
- /// Deserialize the sig data
- ///
- ///
- ///
- ///
- T Deserialize(IEnumerable tokens) where T : class, IXSigSerialization;
- }
+ ///
+ /// Deserialize the sig data
+ ///
+ ///
+ ///
+ ///
+ T Deserialize(IEnumerable tokens) where T : class, IXSigSerialization;
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/XSigUtility/Serialization/XSigSerializationException.cs b/src/PepperDash.Core/XSigUtility/Serialization/XSigSerializationException.cs
index 8f3fc047..4db0e970 100644
--- a/src/PepperDash.Core/XSigUtility/Serialization/XSigSerializationException.cs
+++ b/src/PepperDash.Core/XSigUtility/Serialization/XSigSerializationException.cs
@@ -1,28 +1,27 @@
using System;
-namespace PepperDash.Core.Intersystem.Serialization
+namespace PepperDash.Core.Intersystem.Serialization;
+
+///
+/// Class to handle this specific exception type
+///
+public class XSigSerializationException : Exception
{
///
- /// Class to handle this specific exception type
+ /// default constructor
///
- public class XSigSerializationException : Exception
- {
- ///
- /// default constructor
- ///
- public XSigSerializationException() { }
+ public XSigSerializationException() { }
- ///
- /// constructor with message
- ///
- ///
- public XSigSerializationException(string message) : base(message) { }
+ ///
+ /// constructor with message
+ ///
+ ///
+ public XSigSerializationException(string message) : base(message) { }
- ///
- /// constructor with message and innner exception
- ///
- ///
- ///
- public XSigSerializationException(string message, Exception inner) : base(message, inner) { }
- }
+ ///
+ /// constructor with message and innner exception
+ ///
+ ///
+ ///
+ public XSigSerializationException(string message, Exception inner) : base(message, inner) { }
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/XSigUtility/Tokens/XSigAnalogToken.cs b/src/PepperDash.Core/XSigUtility/Tokens/XSigAnalogToken.cs
index 68c61d90..b5cb2e68 100644
--- a/src/PepperDash.Core/XSigUtility/Tokens/XSigAnalogToken.cs
+++ b/src/PepperDash.Core/XSigUtility/Tokens/XSigAnalogToken.cs
@@ -1,98 +1,87 @@
using System;
-namespace PepperDash.Core.Intersystem.Tokens
+namespace PepperDash.Core.Intersystem.Tokens;
+
+///
+/// Represents an XSigAnalogToken
+///
+public sealed class XSigAnalogToken : XSigToken, IFormattable
{
+ private readonly ushort _value;
+
///
- /// Represents an XSigAnalogToken
+ /// Constructor
///
- public sealed class XSigAnalogToken : XSigToken, IFormattable
+ ///
+ ///
+ public XSigAnalogToken(int index, ushort value)
+ : base(index)
{
- private readonly ushort _value;
+ // 10-bits available for analog encoded data
+ if (index >= 1024 || index < 0)
+ throw new ArgumentOutOfRangeException("index");
- ///
- /// Constructor
- ///
- ///
- ///
- public XSigAnalogToken(int index, ushort value)
- : base(index)
- {
- // 10-bits available for analog encoded data
- if (index >= 1024 || index < 0)
- throw new ArgumentOutOfRangeException("index");
+ _value = value;
+ }
- _value = value;
- }
+ ///
+ ///
+ ///
+ public ushort Value
+ {
+ get { return _value; }
+ }
- ///
- ///
- ///
- public ushort Value
- {
- get { return _value; }
- }
+ ///
+ ///
+ ///
+ public override XSigTokenType TokenType
+ {
+ get { return XSigTokenType.Analog; }
+ }
- ///
- ///
- ///
- public override XSigTokenType TokenType
- {
- get { return XSigTokenType.Analog; }
- }
+ ///
+ ///
+ ///
+ ///
+ public override byte[] GetBytes()
+ {
+ return new[] {
+ (byte)(0xC0 | ((Value & 0xC000) >> 10) | (Index - 1 >> 7)),
+ (byte)((Index - 1) & 0x7F),
+ (byte)((Value & 0x3F80) >> 7),
+ (byte)(Value & 0x7F)
+ };
+ }
- ///
- ///
- ///
- ///
- public override byte[] GetBytes()
- {
- return new[] {
- (byte)(0xC0 | ((Value & 0xC000) >> 10) | (Index - 1 >> 7)),
- (byte)((Index - 1) & 0x7F),
- (byte)((Value & 0x3F80) >> 7),
- (byte)(Value & 0x7F)
- };
- }
+ ///
+ ///
+ ///
+ ///
+ ///
+ public override XSigToken GetTokenWithOffset(int offset)
+ {
+ if (offset == 0) return this;
+ return new XSigAnalogToken(Index + offset, Value);
+ }
- ///
- ///
- ///
- ///
- ///
- ///
- /// GetTokenWithOffset method
- ///
- public override XSigToken GetTokenWithOffset(int offset)
- {
- if (offset == 0) return this;
- return new XSigAnalogToken(Index + offset, Value);
- }
+ ///
+ ///
+ ///
+ ///
+ public override string ToString()
+ {
+ return Index + " = 0x" + Value.ToString("X4");
+ }
- ///
- ///
- ///
- ///
- ///
- /// ToString method
- ///
- ///
- public override string ToString()
- {
- return Index + " = 0x" + Value.ToString("X4");
- }
-
- ///
- ///
- ///
- ///
- ///
- ///
- ///
- /// ToString method
- ///
- public string ToString(string format, IFormatProvider formatProvider)
- {
- return Value.ToString(format, formatProvider);
- }
+ ///
+ ///
+ ///
+ ///
+ ///
+ ///
+ public string ToString(string format, IFormatProvider formatProvider)
+ {
+ return Value.ToString(format, formatProvider);
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/XSigUtility/Tokens/XSigDigitalToken.cs b/src/PepperDash.Core/XSigUtility/Tokens/XSigDigitalToken.cs
index 50fac7fc..a82d0eb2 100644
--- a/src/PepperDash.Core/XSigUtility/Tokens/XSigDigitalToken.cs
+++ b/src/PepperDash.Core/XSigUtility/Tokens/XSigDigitalToken.cs
@@ -1,95 +1,84 @@
using System;
-namespace PepperDash.Core.Intersystem.Tokens
+namespace PepperDash.Core.Intersystem.Tokens;
+
+///
+/// Represents an XSigDigitalToken
+///
+public sealed class XSigDigitalToken : XSigToken
{
+ private readonly bool _value;
+
///
- /// Represents an XSigDigitalToken
+ ///
///
- public sealed class XSigDigitalToken : XSigToken
+ ///
+ ///
+ public XSigDigitalToken(int index, bool value)
+ : base(index)
{
- private readonly bool _value;
+ // 12-bits available for digital encoded data
+ if (index >= 4096 || index < 0)
+ throw new ArgumentOutOfRangeException("index");
- ///
- ///
- ///
- ///
- ///
- public XSigDigitalToken(int index, bool value)
- : base(index)
- {
- // 12-bits available for digital encoded data
- if (index >= 4096 || index < 0)
- throw new ArgumentOutOfRangeException("index");
+ _value = value;
+ }
- _value = value;
- }
+ ///
+ ///
+ ///
+ public bool Value
+ {
+ get { return _value; }
+ }
- ///
- ///
- ///
- public bool Value
- {
- get { return _value; }
- }
+ ///
+ ///
+ ///
+ public override XSigTokenType TokenType
+ {
+ get { return XSigTokenType.Digital; }
+ }
- ///
- ///
- ///
- public override XSigTokenType TokenType
- {
- get { return XSigTokenType.Digital; }
- }
+ ///
+ ///
+ ///
+ ///
+ public override byte[] GetBytes()
+ {
+ return new[] {
+ (byte)(0x80 | (Value ? 0 : 0x20) | ((Index - 1) >> 7)),
+ (byte)((Index - 1) & 0x7F)
+ };
+ }
- ///
- ///
- ///
- ///
- public override byte[] GetBytes()
- {
- return new[] {
- (byte)(0x80 | (Value ? 0 : 0x20) | ((Index - 1) >> 7)),
- (byte)((Index - 1) & 0x7F)
- };
- }
+ ///
+ ///
+ ///
+ ///
+ ///
+ public override XSigToken GetTokenWithOffset(int offset)
+ {
+ if (offset == 0) return this;
+ return new XSigDigitalToken(Index + offset, Value);
+ }
- ///
- ///
- ///
- ///
- ///
- ///
- /// GetTokenWithOffset method
- ///
- public override XSigToken GetTokenWithOffset(int offset)
- {
- if (offset == 0) return this;
- return new XSigDigitalToken(Index + offset, Value);
- }
+ ///
+ ///
+ ///
+ ///
+ public override string ToString()
+ {
+ return Index + " = " + (Value ? "High" : "Low");
+ }
- ///
- ///
- ///
- ///
- ///
- /// ToString method
- ///
- ///
- public override string ToString()
- {
- return Index + " = " + (Value ? "High" : "Low");
- }
-
- ///
- ///
- ///
- ///
- ///
- ///
- /// ToString method
- ///
- public string ToString(IFormatProvider formatProvider)
- {
- return Value.ToString(formatProvider);
- }
+ ///
+ ///
+ ///
+ ///
+ ///
+ public string ToString(IFormatProvider formatProvider)
+ {
+ return Value.ToString(formatProvider);
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/XSigUtility/Tokens/XSigSerialToken.cs b/src/PepperDash.Core/XSigUtility/Tokens/XSigSerialToken.cs
index 635d40e3..3b6a3f5f 100644
--- a/src/PepperDash.Core/XSigUtility/Tokens/XSigSerialToken.cs
+++ b/src/PepperDash.Core/XSigUtility/Tokens/XSigSerialToken.cs
@@ -1,88 +1,80 @@
using System;
using System.Text;
-namespace PepperDash.Core.Intersystem.Tokens
+namespace PepperDash.Core.Intersystem.Tokens;
+
+///
+/// Represents an XSigSerialToken
+///
+public sealed class XSigSerialToken : XSigToken
{
+ private readonly string _value;
+
///
- /// Represents an XSigSerialToken
+ /// Constructor
///
- public sealed class XSigSerialToken : XSigToken
+ ///
+ ///
+ public XSigSerialToken(int index, string value)
+ : base(index)
{
- private readonly string _value;
+ // 10-bits available for serial encoded data
+ if (index >= 1024 || index < 0)
+ throw new ArgumentOutOfRangeException("index");
- ///
- /// Constructor
- ///
- ///
- ///
- public XSigSerialToken(int index, string value)
- : base(index)
- {
- // 10-bits available for serial encoded data
- if (index >= 1024 || index < 0)
- throw new ArgumentOutOfRangeException("index");
+ _value = value;
+ }
- _value = value;
- }
+ ///
+ ///
+ ///
+ public string Value
+ {
+ get { return _value; }
+ }
- ///
- ///
- ///
- public string Value
- {
- get { return _value; }
- }
+ ///
+ ///
+ ///
+ public override XSigTokenType TokenType
+ {
+ get { return XSigTokenType.Serial; }
+ }
- ///
- ///
- ///
- public override XSigTokenType TokenType
- {
- get { return XSigTokenType.Serial; }
- }
+ ///
+ ///
+ ///
+ ///
+ public override byte[] GetBytes()
+ {
+ var serialBytes = String.IsNullOrEmpty(Value) ? new byte[0] : Encoding.GetEncoding(28591).GetBytes(Value);
+
+ var xsig = new byte[serialBytes.Length + 3];
+ xsig[0] = (byte)(0xC8 | (Index - 1 >> 7));
+ xsig[1] = (byte)((Index - 1) & 0x7F);
+ xsig[xsig.Length - 1] = 0xFF;
- ///
- ///
- ///
- ///
- public override byte[] GetBytes()
- {
- var serialBytes = String.IsNullOrEmpty(Value) ? new byte[0] : Encoding.GetEncoding(28591).GetBytes(Value);
-
- var xsig = new byte[serialBytes.Length + 3];
- xsig[0] = (byte)(0xC8 | (Index - 1 >> 7));
- xsig[1] = (byte)((Index - 1) & 0x7F);
- xsig[xsig.Length - 1] = 0xFF;
+ Buffer.BlockCopy(serialBytes, 0, xsig, 2, serialBytes.Length);
+ return xsig;
+ }
- Buffer.BlockCopy(serialBytes, 0, xsig, 2, serialBytes.Length);
- return xsig;
- }
+ ///
+ ///
+ ///
+ ///
+ ///
+ public override XSigToken GetTokenWithOffset(int offset)
+ {
+ if (offset == 0) return this;
+ return new XSigSerialToken(Index + offset, Value);
+ }
- ///
- ///
- ///
- ///
- ///
- ///
- /// GetTokenWithOffset method
- ///
- public override XSigToken GetTokenWithOffset(int offset)
- {
- if (offset == 0) return this;
- return new XSigSerialToken(Index + offset, Value);
- }
-
- ///
- ///
- ///
- ///
- ///
- /// ToString method
- ///
- ///
- public override string ToString()
- {
- return Index + " = \"" + Value + "\"";
- }
+ ///
+ ///
+ ///
+ ///
+ public override string ToString()
+ {
+ return Index + " = \"" + Value + "\"";
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/XSigUtility/Tokens/XSigToken.cs b/src/PepperDash.Core/XSigUtility/Tokens/XSigToken.cs
index 4c00a2ed..cd706bd4 100644
--- a/src/PepperDash.Core/XSigUtility/Tokens/XSigToken.cs
+++ b/src/PepperDash.Core/XSigUtility/Tokens/XSigToken.cs
@@ -1,45 +1,44 @@
-namespace PepperDash.Core.Intersystem.Tokens
+namespace PepperDash.Core.Intersystem.Tokens;
+
+///
+/// Represents the base class for all XSig datatypes.
+///
+public abstract class XSigToken
{
+ private readonly int _index;
+
///
- /// Represents the base class for all XSig datatypes.
+ /// Constructs an XSigToken with the specified index.
///
- public abstract class XSigToken
+ /// Index for the data.
+ protected XSigToken(int index)
{
- private readonly int _index;
-
- ///
- /// Constructs an XSigToken with the specified index.
- ///
- /// Index for the data.
- protected XSigToken(int index)
- {
- _index = index;
- }
-
- ///
- /// XSig 1-based index.
- ///
- public int Index
- {
- get { return _index; }
- }
-
- ///
- /// XSigToken type.
- ///
- public abstract XSigTokenType TokenType { get; }
-
- ///
- /// Generates the XSig bytes for the corresponding token.
- ///
- /// XSig byte array.
- public abstract byte[] GetBytes();
-
- ///
- /// Returns a new token if necessary with an updated index based on the specified offset.
- ///
- /// Offset to adjust the index with.
- /// XSigToken
- public abstract XSigToken GetTokenWithOffset(int offset);
+ _index = index;
}
+
+ ///
+ /// XSig 1-based index.
+ ///
+ public int Index
+ {
+ get { return _index; }
+ }
+
+ ///
+ /// XSigToken type.
+ ///
+ public abstract XSigTokenType TokenType { get; }
+
+ ///
+ /// Generates the XSig bytes for the corresponding token.
+ ///
+ /// XSig byte array.
+ public abstract byte[] GetBytes();
+
+ ///
+ /// Returns a new token if necessary with an updated index based on the specified offset.
+ ///
+ /// Offset to adjust the index with.
+ /// XSigToken
+ public abstract XSigToken GetTokenWithOffset(int offset);
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/XSigUtility/Tokens/XSigTokenType.cs b/src/PepperDash.Core/XSigUtility/Tokens/XSigTokenType.cs
index 26d6c123..60641b4f 100644
--- a/src/PepperDash.Core/XSigUtility/Tokens/XSigTokenType.cs
+++ b/src/PepperDash.Core/XSigUtility/Tokens/XSigTokenType.cs
@@ -1,23 +1,22 @@
-namespace PepperDash.Core.Intersystem.Tokens
+namespace PepperDash.Core.Intersystem.Tokens;
+
+///
+/// XSig token types.
+///
+public enum XSigTokenType
{
///
- /// XSig token types.
+ /// Digital signal datatype.
///
- public enum XSigTokenType
- {
- ///
- /// Digital signal datatype.
- ///
- Digital,
+ Digital,
- ///
- /// Analog signal datatype.
- ///
- Analog,
+ ///
+ /// Analog signal datatype.
+ ///
+ Analog,
- ///
- /// Serial signal datatype.
- ///
- Serial
- }
+ ///
+ /// Serial signal datatype.
+ ///
+ Serial
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/XSigUtility/XSigHelpers.cs b/src/PepperDash.Core/XSigUtility/XSigHelpers.cs
index d93cc32b..4f970be2 100644
--- a/src/PepperDash.Core/XSigUtility/XSigHelpers.cs
+++ b/src/PepperDash.Core/XSigUtility/XSigHelpers.cs
@@ -18,264 +18,221 @@ using PepperDash.Core.Intersystem.Tokens;
11111111 <- denotes end of data
*/
-namespace PepperDash.Core.Intersystem
+namespace PepperDash.Core.Intersystem;
+
+///
+/// Helper methods for creating XSig byte sequences compatible with the Intersystem Communications (ISC) symbol.
+///
+///
+/// Indexing is not from the start of each signal type but rather from the beginning of the first defined signal
+/// the Intersystem Communications (ISC) symbol.
+///
+public static class XSigHelpers
{
///
- /// Helper methods for creating XSig byte sequences compatible with the Intersystem Communications (ISC) symbol.
+ /// Forces all outputs to 0.
///
- ///
- /// Indexing is not from the start of each signal type but rather from the beginning of the first defined signal
- /// the Intersystem Communications (ISC) symbol.
- ///
- public static class XSigHelpers
+ /// Bytes in XSig format for clear outputs trigger.
+ public static byte[] ClearOutputs()
{
- ///
- /// Forces all outputs to 0.
- ///
- /// Bytes in XSig format for clear outputs trigger.
- public static byte[] ClearOutputs()
+ return new byte[] { 0xFC };
+ }
+
+ ///
+ /// Evaluate all inputs and re-transmit any digital, analog, and permanent serail signals not set to 0.
+ ///
+ /// Bytes in XSig format for send status trigger.
+ public static byte[] SendStatus()
+ {
+ return new byte[] { 0xFD };
+ }
+
+ ///
+ /// Get bytes for an IXSigStateResolver object.
+ ///
+ /// XSig state resolver.
+ /// Bytes in XSig format for each token within the state representation.
+ public static byte[] GetBytes(IXSigSerialization xSigSerialization)
+ {
+ return GetBytes(xSigSerialization, 0);
+ }
+
+ ///
+ /// Get bytes for an IXSigStateResolver object, with a specified offset.
+ ///
+ /// XSig state resolver.
+ /// Offset to which the data will be aligned.
+ /// Bytes in XSig format for each token within the state representation.
+ public static byte[] GetBytes(IXSigSerialization xSigSerialization, int offset)
+ {
+ var tokens = xSigSerialization.Serialize();
+ if (tokens == null) return new byte[0];
+ using (var memoryStream = new MemoryStream())
{
- return new byte[] { 0xFC };
- }
+ using (var tokenWriter = new XSigTokenStreamWriter(memoryStream))
+ tokenWriter.WriteXSigData(xSigSerialization, offset);
- ///
- /// Evaluate all inputs and re-transmit any digital, analog, and permanent serail signals not set to 0.
- ///
- /// Bytes in XSig format for send status trigger.
- public static byte[] SendStatus()
- {
- return new byte[] { 0xFD };
- }
-
- ///
- /// Get bytes for an IXSigStateResolver object.
- ///
- /// XSig state resolver.
- /// Bytes in XSig format for each token within the state representation.
- ///
- /// GetBytes method
- ///
- public static byte[] GetBytes(IXSigSerialization xSigSerialization)
- {
- return GetBytes(xSigSerialization, 0);
- }
-
- ///
- /// Get bytes for an IXSigStateResolver object, with a specified offset.
- ///
- /// XSig state resolver.
- /// Offset to which the data will be aligned.
- /// Bytes in XSig format for each token within the state representation.
- ///
- /// GetBytes method
- ///
- public static byte[] GetBytes(IXSigSerialization xSigSerialization, int offset)
- {
- var tokens = xSigSerialization.Serialize();
- if (tokens == null) return new byte[0];
- using (var memoryStream = new MemoryStream())
- {
- using (var tokenWriter = new XSigTokenStreamWriter(memoryStream))
- tokenWriter.WriteXSigData(xSigSerialization, offset);
-
- return memoryStream.ToArray();
- }
- }
-
- ///
- /// Get bytes for a single digital signal.
- ///
- /// 1-based digital index
- /// Digital data to be encoded
- /// Bytes in XSig format for digtial information.
- ///
- /// GetBytes method
- ///
- public static byte[] GetBytes(int index, bool value)
- {
- return GetBytes(index, 0, value);
- }
-
- ///
- /// Get bytes for a single digital signal.
- ///
- /// 1-based digital index
- /// Index offset.
- /// Digital data to be encoded
- /// Bytes in XSig format for digtial information.
- ///
- /// GetBytes method
- ///
- public static byte[] GetBytes(int index, int offset, bool value)
- {
- return new XSigDigitalToken(index + offset, value).GetBytes();
- }
-
- ///
- /// Get byte sequence for multiple digital signals.
- ///
- /// Starting index of the sequence.
- /// Digital signal value array.
- /// Byte sequence in XSig format for digital signal information.
- ///
- /// GetBytes method
- ///
- public static byte[] GetBytes(int startIndex, bool[] values)
- {
- return GetBytes(startIndex, 0, values);
- }
-
- ///
- /// Get byte sequence for multiple digital signals.
- ///
- /// Starting index of the sequence.
- /// Index offset.
- /// Digital signal value array.
- /// Byte sequence in XSig format for digital signal information.
- ///
- /// GetBytes method
- ///
- public static byte[] GetBytes(int startIndex, int offset, bool[] values)
- {
- // Digital XSig data is 2 bytes per value
- const int fixedLength = 2;
- var bytes = new byte[values.Length * fixedLength];
- for (var i = 0; i < values.Length; i++)
- Buffer.BlockCopy(GetBytes(startIndex++, offset, values[i]), 0, bytes, i * fixedLength, fixedLength);
-
- return bytes;
- }
-
- ///
- /// Get bytes for a single analog signal.
- ///
- /// 1-based analog index
- /// Analog data to be encoded
- /// Bytes in XSig format for analog signal information.
- ///
- /// GetBytes method
- ///
- public static byte[] GetBytes(int index, ushort value)
- {
- return GetBytes(index, 0, value);
- }
-
- ///
- /// Get bytes for a single analog signal.
- ///
- /// 1-based analog index
- /// Index offset.
- /// Analog data to be encoded
- /// Bytes in XSig format for analog signal information.
- ///
- /// GetBytes method
- ///
- public static byte[] GetBytes(int index, int offset, ushort value)
- {
- return new XSigAnalogToken(index + offset, value).GetBytes();
- }
-
- ///
- /// Get byte sequence for multiple analog signals.
- ///
- /// Starting index of the sequence.
- /// Analog signal value array.
- /// Byte sequence in XSig format for analog signal information.
- ///
- /// GetBytes method
- ///
- public static byte[] GetBytes(int startIndex, ushort[] values)
- {
- return GetBytes(startIndex, 0, values);
- }
-
- ///
- /// Get byte sequence for multiple analog signals.
- ///
- /// Starting index of the sequence.
- /// Index offset.
- /// Analog signal value array.
- /// Byte sequence in XSig format for analog signal information.
- ///
- /// GetBytes method
- ///
- public static byte[] GetBytes(int startIndex, int offset, ushort[] values)
- {
- // Analog XSig data is 4 bytes per value
- const int fixedLength = 4;
- var bytes = new byte[values.Length * fixedLength];
- for (var i = 0; i < values.Length; i++)
- Buffer.BlockCopy(GetBytes(startIndex++, offset, values[i]), 0, bytes, i * fixedLength, fixedLength);
-
- return bytes;
- }
-
- ///
- /// Get bytes for a single serial signal.
- ///
- /// 1-based serial index
- /// Serial data to be encoded
- /// Bytes in XSig format for serial signal information.
- ///
- /// GetBytes method
- ///
- public static byte[] GetBytes(int index, string value)
- {
- return GetBytes(index, 0, value);
- }
-
- ///
- /// Get bytes for a single serial signal.
- ///
- /// 1-based serial index
- /// Index offset.
- /// Serial data to be encoded
- /// Bytes in XSig format for serial signal information.
- ///
- /// GetBytes method
- ///
- public static byte[] GetBytes(int index, int offset, string value)
- {
- return new XSigSerialToken(index + offset, value).GetBytes();
- }
-
- ///
- /// Get byte sequence for multiple serial signals.
- ///
- /// Starting index of the sequence.
- /// Serial signal value array.
- /// Byte sequence in XSig format for serial signal information.
- ///
- /// GetBytes method
- ///
- public static byte[] GetBytes(int startIndex, string[] values)
- {
- return GetBytes(startIndex, 0, values);
- }
-
- ///
- /// Get byte sequence for multiple serial signals.
- ///
- /// Starting index of the sequence.
- /// Index offset.
- /// Serial signal value array.
- /// Byte sequence in XSig format for serial signal information.
- ///
- /// GetBytes method
- ///
- public static byte[] GetBytes(int startIndex, int offset, string[] values)
- {
- // Serial XSig data is not fixed-length like the other formats
- var dstOffset = 0;
- var bytes = new byte[values.Sum(v => v.Length + 3)];
- for (var i = 0; i < values.Length; i++)
- {
- var data = GetBytes(startIndex++, offset, values[i]);
- Buffer.BlockCopy(data, 0, bytes, dstOffset, data.Length);
- dstOffset += data.Length;
- }
-
- return bytes;
+ return memoryStream.ToArray();
}
}
+
+ ///
+ /// Get bytes for a single digital signal.
+ ///
+ /// 1-based digital index
+ /// Digital data to be encoded
+ /// Bytes in XSig format for digtial information.
+ public static byte[] GetBytes(int index, bool value)
+ {
+ return GetBytes(index, 0, value);
+ }
+
+ ///
+ /// Get bytes for a single digital signal.
+ ///
+ /// 1-based digital index
+ /// Index offset.
+ /// Digital data to be encoded
+ /// Bytes in XSig format for digtial information.
+ public static byte[] GetBytes(int index, int offset, bool value)
+ {
+ return new XSigDigitalToken(index + offset, value).GetBytes();
+ }
+
+ ///
+ /// Get byte sequence for multiple digital signals.
+ ///
+ /// Starting index of the sequence.
+ /// Digital signal value array.
+ /// Byte sequence in XSig format for digital signal information.
+ public static byte[] GetBytes(int startIndex, bool[] values)
+ {
+ return GetBytes(startIndex, 0, values);
+ }
+
+ ///
+ /// Get byte sequence for multiple digital signals.
+ ///
+ /// Starting index of the sequence.
+ /// Index offset.
+ /// Digital signal value array.
+ /// Byte sequence in XSig format for digital signal information.
+ public static byte[] GetBytes(int startIndex, int offset, bool[] values)
+ {
+ // Digital XSig data is 2 bytes per value
+ const int fixedLength = 2;
+ var bytes = new byte[values.Length * fixedLength];
+ for (var i = 0; i < values.Length; i++)
+ Buffer.BlockCopy(GetBytes(startIndex++, offset, values[i]), 0, bytes, i * fixedLength, fixedLength);
+
+ return bytes;
+ }
+
+ ///
+ /// Get bytes for a single analog signal.
+ ///
+ /// 1-based analog index
+ /// Analog data to be encoded
+ /// Bytes in XSig format for analog signal information.
+ public static byte[] GetBytes(int index, ushort value)
+ {
+ return GetBytes(index, 0, value);
+ }
+
+ ///
+ /// Get bytes for a single analog signal.
+ ///
+ /// 1-based analog index
+ /// Index offset.
+ /// Analog data to be encoded
+ /// Bytes in XSig format for analog signal information.
+ public static byte[] GetBytes(int index, int offset, ushort value)
+ {
+ return new XSigAnalogToken(index + offset, value).GetBytes();
+ }
+
+ ///
+ /// Get byte sequence for multiple analog signals.
+ ///
+ /// Starting index of the sequence.
+ /// Analog signal value array.
+ /// Byte sequence in XSig format for analog signal information.
+ public static byte[] GetBytes(int startIndex, ushort[] values)
+ {
+ return GetBytes(startIndex, 0, values);
+ }
+
+ ///
+ /// Get byte sequence for multiple analog signals.
+ ///
+ /// Starting index of the sequence.
+ /// Index offset.
+ /// Analog signal value array.
+ /// Byte sequence in XSig format for analog signal information.
+ public static byte[] GetBytes(int startIndex, int offset, ushort[] values)
+ {
+ // Analog XSig data is 4 bytes per value
+ const int fixedLength = 4;
+ var bytes = new byte[values.Length * fixedLength];
+ for (var i = 0; i < values.Length; i++)
+ Buffer.BlockCopy(GetBytes(startIndex++, offset, values[i]), 0, bytes, i * fixedLength, fixedLength);
+
+ return bytes;
+ }
+
+ ///
+ /// Get bytes for a single serial signal.
+ ///
+ /// 1-based serial index
+ /// Serial data to be encoded
+ /// Bytes in XSig format for serial signal information.
+ public static byte[] GetBytes(int index, string value)
+ {
+ return GetBytes(index, 0, value);
+ }
+
+ ///
+ /// Get bytes for a single serial signal.
+ ///
+ /// 1-based serial index
+ /// Index offset.
+ /// Serial data to be encoded
+ /// Bytes in XSig format for serial signal information.
+ public static byte[] GetBytes(int index, int offset, string value)
+ {
+ return new XSigSerialToken(index + offset, value).GetBytes();
+ }
+
+ ///
+ /// Get byte sequence for multiple serial signals.
+ ///
+ /// Starting index of the sequence.
+ /// Serial signal value array.
+ /// Byte sequence in XSig format for serial signal information.
+ public static byte[] GetBytes(int startIndex, string[] values)
+ {
+ return GetBytes(startIndex, 0, values);
+ }
+
+ ///
+ /// Get byte sequence for multiple serial signals.
+ ///
+ /// Starting index of the sequence.
+ /// Index offset.
+ /// Serial signal value array.
+ /// Byte sequence in XSig format for serial signal information.
+ public static byte[] GetBytes(int startIndex, int offset, string[] values)
+ {
+ // Serial XSig data is not fixed-length like the other formats
+ var dstOffset = 0;
+ var bytes = new byte[values.Sum(v => v.Length + 3)];
+ for (var i = 0; i < values.Length; i++)
+ {
+ var data = GetBytes(startIndex++, offset, values[i]);
+ Buffer.BlockCopy(data, 0, bytes, dstOffset, data.Length);
+ dstOffset += data.Length;
+ }
+
+ return bytes;
+ }
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/XSigUtility/XSigTokenStreamReader.cs b/src/PepperDash.Core/XSigUtility/XSigTokenStreamReader.cs
index 03e79946..3c222960 100644
--- a/src/PepperDash.Core/XSigUtility/XSigTokenStreamReader.cs
+++ b/src/PepperDash.Core/XSigUtility/XSigTokenStreamReader.cs
@@ -4,153 +4,143 @@ using Crestron.SimplSharp.CrestronIO;
using PepperDash.Core.Intersystem.Serialization;
using PepperDash.Core.Intersystem.Tokens;
-namespace PepperDash.Core.Intersystem
+namespace PepperDash.Core.Intersystem;
+
+///
+/// XSigToken stream reader.
+///
+public sealed class XSigTokenStreamReader : IDisposable
{
+ private readonly Stream _stream;
+ private readonly bool _leaveOpen;
+
+ ///
///
- /// XSigToken stream reader.
+ /// XSigToken stream reader constructor.
///
- public sealed class XSigTokenStreamReader : IDisposable
+ /// Input stream to read from.
+ /// Stream is null.
+ /// Stream cannot be read from.
+ public XSigTokenStreamReader(Stream stream)
+ : this(stream, false) { }
+
+ ///
+ /// XSigToken stream reader constructor.
+ ///
+ /// Input stream to read from.
+ /// Determines whether to leave the stream open or not.
+ /// Stream is null.
+ /// Stream cannot be read from.
+ public XSigTokenStreamReader(Stream stream, bool leaveOpen)
{
- private readonly Stream _stream;
- private readonly bool _leaveOpen;
+ if (stream == null)
+ throw new ArgumentNullException("stream");
+ if (!stream.CanRead)
+ throw new ArgumentException("The specified stream cannot be read from.");
- ///
- ///
- /// XSigToken stream reader constructor.
- ///
- /// Input stream to read from.
- /// Stream is null.
- /// Stream cannot be read from.
- public XSigTokenStreamReader(Stream stream)
- : this(stream, false) { }
+ _stream = stream;
+ _leaveOpen = leaveOpen;
+ }
- ///
- /// XSigToken stream reader constructor.
- ///
- /// Input stream to read from.
- /// Determines whether to leave the stream open or not.
- /// Stream is null.
- /// Stream cannot be read from.
- public XSigTokenStreamReader(Stream stream, bool leaveOpen)
+ ///
+ /// Reads a 16-bit unsigned integer from the specified stream using Big Endian byte order.
+ ///
+ /// Input stream
+ /// Result
+ /// True if successful, otherwise false.
+ public static bool TryReadUInt16BE(Stream stream, out ushort value)
+ {
+ value = 0;
+ if (stream.Length < 2)
+ return false;
+
+ var buffer = new byte[2];
+ stream.Read(buffer, 0, 2);
+ value = (ushort)((buffer[0] << 8) | buffer[1]);
+ return true;
+ }
+
+ ///
+ /// Read XSig token from the stream.
+ ///
+ /// XSigToken
+ /// Offset is less than 0.
+ public XSigToken ReadXSigToken()
+ {
+ ushort prefix;
+ if (!TryReadUInt16BE(_stream, out prefix))
+ return null;
+
+ if ((prefix & 0xF880) == 0xC800) // Serial data
{
- if (stream == null)
- throw new ArgumentNullException("stream");
- if (!stream.CanRead)
- throw new ArgumentException("The specified stream cannot be read from.");
+ var index = ((prefix & 0x0700) >> 1) | (prefix & 0x7F);
+ var n = 0;
+ const int maxSerialDataLength = 252;
+ var chars = new char[maxSerialDataLength];
+ int ch;
+ while ((ch = _stream.ReadByte()) != 0xFF)
+ {
+ if (ch == -1) // Reached end of stream without end of data marker
+ return null;
+
+ chars[n++] = (char)ch;
+ }
- _stream = stream;
- _leaveOpen = leaveOpen;
+ return new XSigSerialToken((ushort)(index + 1), new string(chars, 0, n));
}
- ///
- /// Reads a 16-bit unsigned integer from the specified stream using Big Endian byte order.
- ///
- /// Input stream
- /// Result
- /// True if successful, otherwise false.
- ///
- /// TryReadUInt16BE method
- ///
- public static bool TryReadUInt16BE(Stream stream, out ushort value)
+ if ((prefix & 0xC880) == 0xC000) // Analog data
{
- value = 0;
- if (stream.Length < 2)
- return false;
-
- var buffer = new byte[2];
- stream.Read(buffer, 0, 2);
- value = (ushort)((buffer[0] << 8) | buffer[1]);
- return true;
- }
-
- ///
- /// Read XSig token from the stream.
- ///
- /// XSigToken
- /// Offset is less than 0.
- ///
- /// ReadXSigToken method
- ///
- public XSigToken ReadXSigToken()
- {
- ushort prefix;
- if (!TryReadUInt16BE(_stream, out prefix))
+ ushort data;
+ if (!TryReadUInt16BE(_stream, out data))
return null;
- if ((prefix & 0xF880) == 0xC800) // Serial data
- {
- var index = ((prefix & 0x0700) >> 1) | (prefix & 0x7F);
- var n = 0;
- const int maxSerialDataLength = 252;
- var chars = new char[maxSerialDataLength];
- int ch;
- while ((ch = _stream.ReadByte()) != 0xFF)
- {
- if (ch == -1) // Reached end of stream without end of data marker
- return null;
-
- chars[n++] = (char)ch;
- }
-
- return new XSigSerialToken((ushort)(index + 1), new string(chars, 0, n));
- }
-
- if ((prefix & 0xC880) == 0xC000) // Analog data
- {
- ushort data;
- if (!TryReadUInt16BE(_stream, out data))
- return null;
-
- var index = ((prefix & 0x0700) >> 1) | (prefix & 0x7F);
- var value = ((prefix & 0x3000) << 2) | ((data & 0x7F00) >> 1) | (data & 0x7F);
- return new XSigAnalogToken((ushort)(index + 1), (ushort)value);
- }
-
- if ((prefix & 0xC080) == 0x8000) // Digital data
- {
- var index = ((prefix & 0x1F00) >> 1) | (prefix & 0x7F);
- var value = (prefix & 0x2000) == 0;
- return new XSigDigitalToken((ushort)(index + 1), value);
- }
-
- return null;
+ var index = ((prefix & 0x0700) >> 1) | (prefix & 0x7F);
+ var value = ((prefix & 0x3000) << 2) | ((data & 0x7F00) >> 1) | (data & 0x7F);
+ return new XSigAnalogToken((ushort)(index + 1), (ushort)value);
}
- ///
- /// Reads all available XSig tokens from the stream.
- ///
- /// XSigToken collection.
- ///
- /// ReadAllXSigTokens method
- ///
- public IEnumerable ReadAllXSigTokens()
+ if ((prefix & 0xC080) == 0x8000) // Digital data
{
- var tokens = new List();
- XSigToken token;
- while ((token = ReadXSigToken()) != null)
- tokens.Add(token);
-
- return tokens;
+ var index = ((prefix & 0x1F00) >> 1) | (prefix & 0x7F);
+ var value = (prefix & 0x2000) == 0;
+ return new XSigDigitalToken((ushort)(index + 1), value);
}
- ///
- /// Attempts to deserialize all XSig data within the stream from the current position.
- ///
- /// Type to deserialize the information to.
- /// Deserialized object.
- public T DeserializeStream()
- where T : class, IXSigSerialization, new()
- {
- return new T().Deserialize(ReadAllXSigTokens());
- }
+ return null;
+ }
- ///
- /// Disposes of the internal stream if specified to not leave open.
- ///
- public void Dispose()
- {
- if (!_leaveOpen)
- _stream.Dispose();
- }
+ ///
+ /// Reads all available XSig tokens from the stream.
+ ///
+ /// XSigToken collection.
+ public IEnumerable ReadAllXSigTokens()
+ {
+ var tokens = new List();
+ XSigToken token;
+ while ((token = ReadXSigToken()) != null)
+ tokens.Add(token);
+
+ return tokens;
+ }
+
+ ///
+ /// Attempts to deserialize all XSig data within the stream from the current position.
+ ///
+ /// Type to deserialize the information to.
+ /// Deserialized object.
+ public T DeserializeStream()
+ where T : class, IXSigSerialization, new()
+ {
+ return new T().Deserialize(ReadAllXSigTokens());
+ }
+
+ ///
+ /// Disposes of the internal stream if specified to not leave open.
+ ///
+ public void Dispose()
+ {
+ if (!_leaveOpen)
+ _stream.Dispose();
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Core/XSigUtility/XSigTokenStreamWriter.cs b/src/PepperDash.Core/XSigUtility/XSigTokenStreamWriter.cs
index 12eeaf91..da973acd 100644
--- a/src/PepperDash.Core/XSigUtility/XSigTokenStreamWriter.cs
+++ b/src/PepperDash.Core/XSigUtility/XSigTokenStreamWriter.cs
@@ -5,147 +5,131 @@ using Crestron.SimplSharp.CrestronIO;
using PepperDash.Core.Intersystem.Serialization;
using PepperDash.Core.Intersystem.Tokens;
-namespace PepperDash.Core.Intersystem
+namespace PepperDash.Core.Intersystem;
+
+///
+/// XSigToken stream writer.
+///
+public sealed class XSigTokenStreamWriter : IDisposable
{
+ private readonly Stream _stream;
+ private readonly bool _leaveOpen;
+
+ ///
///
- /// XSigToken stream writer.
+ /// XSigToken stream writer constructor.
///
- public sealed class XSigTokenStreamWriter : IDisposable
+ /// Input stream to write to.
+ /// Stream is null.
+ /// Stream cannot be written to.
+ public XSigTokenStreamWriter(Stream stream)
+ : this(stream, false) { }
+
+ ///
+ /// XSigToken stream writer constructor.
+ ///
+ /// Input stream to write to.
+ /// Determines whether to leave the stream open or not.
+ /// Stream is null.
+ /// Stream cannot be written to.
+ public XSigTokenStreamWriter(Stream stream, bool leaveOpen)
{
- private readonly Stream _stream;
- private readonly bool _leaveOpen;
+ if (stream == null)
+ throw new ArgumentNullException("stream");
+ if (!stream.CanWrite)
+ throw new ArgumentException("The specified stream cannot be written to.");
- ///
- ///
- /// XSigToken stream writer constructor.
- ///
- /// Input stream to write to.
- /// Stream is null.
- /// Stream cannot be written to.
- public XSigTokenStreamWriter(Stream stream)
- : this(stream, false) { }
+ _stream = stream;
+ _leaveOpen = leaveOpen;
+ }
- ///
- /// XSigToken stream writer constructor.
- ///
- /// Input stream to write to.
- /// Determines whether to leave the stream open or not.
- /// Stream is null.
- /// Stream cannot be written to.
- public XSigTokenStreamWriter(Stream stream, bool leaveOpen)
+ ///
+ /// Write XSig data gathered from an IXSigStateResolver to the stream.
+ ///
+ /// IXSigStateResolver object.
+ public void WriteXSigData(IXSigSerialization xSigSerialization)
+ {
+ WriteXSigData(xSigSerialization, 0);
+ }
+
+ ///
+ /// Write XSig data gathered from an IXSigStateResolver to the stream.
+ ///
+ /// IXSigStateResolver object.
+ /// Index offset for each XSigToken.
+ public void WriteXSigData(IXSigSerialization xSigSerialization, int offset)
+ {
+ if (xSigSerialization == null)
+ throw new ArgumentNullException("xSigSerialization");
+
+ var tokens = xSigSerialization.Serialize();
+ WriteXSigData(tokens, offset);
+ }
+
+ ///
+ /// Write XSigToken to the stream.
+ ///
+ /// XSigToken object.
+ public void WriteXSigData(XSigToken token)
+ {
+ WriteXSigData(token, 0);
+ }
+
+ ///
+ /// Write XSigToken to the stream.
+ ///
+ /// XSigToken object.
+ /// Index offset for each XSigToken.
+ public void WriteXSigData(XSigToken token, int offset)
+ {
+ WriteXSigData(new[] { token }, offset);
+ }
+
+ ///
+ /// Writes an array of XSigTokens to the stream.
+ ///
+ /// XSigToken objects.
+ public void WriteXSigData(XSigToken[] tokens)
+ {
+ WriteXSigData(tokens.AsEnumerable());
+ }
+
+ ///
+ /// Write an enumerable collection of XSigTokens to the stream.
+ ///
+ /// XSigToken objects.
+ public void WriteXSigData(IEnumerable tokens)
+ {
+ WriteXSigData(tokens, 0);
+ }
+
+ ///
+ /// Write an enumerable collection of XSigTokens to the stream.
+ ///
+ /// XSigToken objects.
+ /// Index offset for each XSigToken.
+ public void WriteXSigData(IEnumerable tokens, int offset)
+ {
+ if (offset < 0)
+ throw new ArgumentOutOfRangeException("offset", "Offset must be greater than or equal to 0.");
+
+ if (tokens != null)
{
- if (stream == null)
- throw new ArgumentNullException("stream");
- if (!stream.CanWrite)
- throw new ArgumentException("The specified stream cannot be written to.");
-
- _stream = stream;
- _leaveOpen = leaveOpen;
- }
-
- ///
- /// Write XSig data gathered from an IXSigStateResolver to the stream.
- ///
- /// IXSigStateResolver object.
- ///
- /// WriteXSigData method
- ///
- public void WriteXSigData(IXSigSerialization xSigSerialization)
- {
- WriteXSigData(xSigSerialization, 0);
- }
-
- ///
- /// Write XSig data gathered from an IXSigStateResolver to the stream.
- ///
- /// IXSigStateResolver object.
- /// Index offset for each XSigToken.
- ///
- /// WriteXSigData method
- ///
- public void WriteXSigData(IXSigSerialization xSigSerialization, int offset)
- {
- if (xSigSerialization == null)
- throw new ArgumentNullException("xSigSerialization");
-
- var tokens = xSigSerialization.Serialize();
- WriteXSigData(tokens, offset);
- }
-
- ///
- /// Write XSigToken to the stream.
- ///
- /// XSigToken object.
- ///
- /// WriteXSigData method
- ///
- public void WriteXSigData(XSigToken token)
- {
- WriteXSigData(token, 0);
- }
-
- ///
- /// Write XSigToken to the stream.
- ///
- /// XSigToken object.
- /// Index offset for each XSigToken.
- ///
- /// WriteXSigData method
- ///
- public void WriteXSigData(XSigToken token, int offset)
- {
- WriteXSigData(new[] { token }, offset);
- }
-
- ///
- /// Writes an array of XSigTokens to the stream.
- ///
- /// XSigToken objects.
- public void WriteXSigData(XSigToken[] tokens)
- {
- WriteXSigData(tokens.AsEnumerable());
- }
-
- ///
- /// Write an enumerable collection of XSigTokens to the stream.
- ///
- /// XSigToken objects.
- public void WriteXSigData(IEnumerable tokens)
- {
- WriteXSigData(tokens, 0);
- }
-
- ///
- /// Write an enumerable collection of XSigTokens to the stream.
- ///
- /// XSigToken objects.
- /// Index offset for each XSigToken.
- ///
- /// WriteXSigData method
- ///
- public void WriteXSigData(IEnumerable tokens, int offset)
- {
- if (offset < 0)
- throw new ArgumentOutOfRangeException("offset", "Offset must be greater than or equal to 0.");
-
- if (tokens != null)
+ foreach (var token in tokens)
{
- foreach (var token in tokens)
- {
- if (token == null) continue;
- var bytes = token.GetTokenWithOffset(offset).GetBytes();
- _stream.Write(bytes, 0, bytes.Length);
- }
+ if (token == null) continue;
+ var bytes = token.GetTokenWithOffset(offset).GetBytes();
+ _stream.Write(bytes, 0, bytes.Length);
}
}
+ }
- ///
- /// Dispose method
- ///
- public void Dispose()
- {
- if (!_leaveOpen)
- _stream.Dispose();
- }
+ ///
+ /// Disposes of the internal stream if specified to not leave open.
+ ///
+ public void Dispose()
+ {
+ if (!_leaveOpen)
+ _stream.Dispose();
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/BridgeBase.cs b/src/PepperDash.Essentials.Core/Bridges/BridgeBase.cs
index 070f1743..4982a642 100644
--- a/src/PepperDash.Essentials.Core/Bridges/BridgeBase.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/BridgeBase.cs
@@ -13,507 +13,408 @@ using PepperDash.Essentials.Core.Config;
using Serilog.Events;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+///
+/// Base class for bridge API variants
+///
+public abstract class BridgeApi : EssentialsDevice
{
- ///
- /// Base class for bridge API variants
- ///
- [Obsolete("Will be removed in v3.0.0")]
- public abstract class BridgeApi : EssentialsDevice
+ protected BridgeApi(string key) :
+ base(key)
{
- ///
- /// Constructor
- ///
- /// Device key
- protected BridgeApi(string key) :
- base(key)
- {
+ }
+}
+
+///
+/// Bridge API using EISC
+///
+public class EiscApiAdvanced : BridgeApi, ICommunicationMonitor
+{
+ public EiscApiPropertiesConfig PropertiesConfig { get; private set; }
+
+ public Dictionary JoinMaps { get; private set; }
+
+ public BasicTriList Eisc { get; private set; }
+
+ public EiscApiAdvanced(DeviceConfig dc, BasicTriList eisc) :
+ base(dc.Key)
+ {
+ JoinMaps = new Dictionary();
+
+ PropertiesConfig = dc.Properties.ToObject();
+ //PropertiesConfig = JsonConvert.DeserializeObject(dc.Properties.ToString());
+
+ Eisc = eisc;
+
+ Eisc.SigChange += Eisc_SigChange;
+
+ CommunicationMonitor = new CrestronGenericBaseCommunicationMonitor(this, Eisc, 120000, 300000);
+
+ AddPostActivationAction(LinkDevices);
+ AddPostActivationAction(LinkRooms);
+ AddPostActivationAction(RegisterEisc);
+ }
+
+ public override bool CustomActivate()
+ {
+ CommunicationMonitor.Start();
+ return base.CustomActivate();
+ }
+
+ public override bool Deactivate()
+ {
+ CommunicationMonitor.Stop();
+ return base.Deactivate();
+ }
+
+ private void LinkDevices()
+ {
+ Debug.LogMessage(LogEventLevel.Debug, this, "Linking Devices...");
+
+ if (PropertiesConfig.Devices == null)
+ {
+ Debug.LogMessage(LogEventLevel.Debug, this, "No devices linked to this bridge");
+ return;
+ }
+
+ foreach (var d in PropertiesConfig.Devices)
+ {
+ var device = DeviceManager.GetDeviceForKey(d.DeviceKey);
+
+ if (device == null)
+ {
+ continue;
+ }
+
+ Debug.LogMessage(LogEventLevel.Debug, this, "Linking Device: '{0}'", device.Key);
+
+ if (device is IBridgeAdvanced bridge)
+ {
+ bridge.LinkToApi(Eisc, d.JoinStart, d.JoinMapKey, this);
+ continue;
+ }
+
+ Debug.LogMessage(LogEventLevel.Information, this,
+ "{0} is not compatible with this bridge type. Please use 'eiscapi' instead, or updae the device.",
+ device.Key);
+ }
+ }
+
+ private void RegisterEisc()
+ {
+ if (Eisc.Registered)
+ {
+ return;
+ }
+
+ var registerResult = Eisc.Register();
+
+ if (registerResult != eDeviceRegistrationUnRegistrationResponse.Success)
+ {
+ Debug.LogMessage(LogEventLevel.Verbose, this, "Registration result: {0}", registerResult);
+ return;
+ }
+
+ Debug.LogMessage(LogEventLevel.Debug, this, "EISC registration successful");
+ }
+
+ public void LinkRooms()
+ {
+ Debug.LogMessage(LogEventLevel.Debug, this, "Linking Rooms...");
+
+ if (PropertiesConfig.Rooms == null)
+ {
+ Debug.LogMessage(LogEventLevel.Debug, this, "No rooms linked to this bridge.");
+ return;
+ }
+
+ foreach (var room in PropertiesConfig.Rooms)
+ {
+ var rm = DeviceManager.GetDeviceForKey(room.RoomKey) as IBridgeAdvanced;
+
+ if (rm == null)
+ {
+ Debug.LogMessage(LogEventLevel.Debug, this,
+ "Room {0} does not implement IBridgeAdvanced. Skipping...", room.RoomKey);
+ continue;
+ }
+
+ rm.LinkToApi(Eisc, room.JoinStart, room.JoinMapKey, this);
}
}
///
- /// Class to link devices and rooms to an EISC Instance
+ /// Adds a join map
///
- public class EiscApiAdvanced : BridgeApi, ICommunicationMonitor
+ ///
+ ///
+ public void AddJoinMap(string deviceKey, JoinMapBaseAdvanced joinMap)
{
- ///
- /// Gets the PropertiesConfig
- ///
- public EiscApiPropertiesConfig PropertiesConfig { get; private set; }
-
- ///
- /// Gets the JoinMaps dictionary
- ///
- public Dictionary JoinMaps { get; private set; }
-
- ///
- /// Gets the EISC instance
- ///
- public BasicTriList Eisc { get; private set; }
-
- ///
- /// Constructor
- ///
- /// Device configuration
- /// EISC instance
- public EiscApiAdvanced(DeviceConfig dc, BasicTriList eisc) :
- base(dc.Key)
+ if (!JoinMaps.ContainsKey(deviceKey))
{
- JoinMaps = new Dictionary();
-
- PropertiesConfig = dc.Properties.ToObject();
-
- Eisc = eisc;
-
- Eisc.SigChange += Eisc_SigChange;
-
- CommunicationMonitor = new CrestronGenericBaseCommunicationMonitor(this, Eisc, 120000, 300000);
-
- AddPostActivationAction(LinkDevices);
- AddPostActivationAction(LinkRooms);
- AddPostActivationAction(RegisterEisc);
+ JoinMaps.Add(deviceKey, joinMap);
}
-
- ///
- /// CustomActivate method
- ///
- public override bool CustomActivate()
+ else
{
- CommunicationMonitor.Start();
- return base.CustomActivate();
+ Debug.LogMessage(LogEventLevel.Verbose, this, "Unable to add join map with key '{0}'. Key already exists in JoinMaps dictionary", deviceKey);
}
-
- ///
- /// Deactivate method
- ///
- public override bool Deactivate()
- {
- CommunicationMonitor.Stop();
- return base.Deactivate();
- }
-
- private void LinkDevices()
- {
- Debug.LogMessage(LogEventLevel.Debug, this, "Linking Devices...");
-
- if (PropertiesConfig.Devices == null)
- {
- this.LogDebug("No devices linked to this bridge");
- return;
- }
-
- foreach (var d in PropertiesConfig.Devices)
- {
- var device = DeviceManager.GetDeviceForKey(d.DeviceKey);
-
- if (device == null)
- {
- continue;
- }
-
- Debug.LogMessage(LogEventLevel.Debug, this, "Linking Device: '{0}'", device.Key);
-
- if (device is IBridgeAdvanced bridge)
- {
- bridge.LinkToApi(Eisc, d.JoinStart, d.JoinMapKey, this);
- continue;
- }
-
- this.LogWarning("{deviceKey} is not compatible with this bridge type. Please update the device.", device.Key);
- }
- }
-
- private void RegisterEisc()
- {
- if (Eisc.Registered)
- {
- return;
- }
-
- var registerResult = Eisc.Register();
-
- if (registerResult != eDeviceRegistrationUnRegistrationResponse.Success)
- {
- this.LogVerbose("Registration result: {registerResult}", registerResult);
- return;
- }
-
- this.LogDebug("EISC registration successful");
- }
-
- ///
- /// Link rooms to this EISC. Rooms MUST implement IBridgeAdvanced
- ///
- public void LinkRooms()
- {
- this.LogDebug("Linking Rooms...");
-
- if (PropertiesConfig.Rooms == null)
- {
- this.LogDebug("No rooms linked to this bridge.");
- return;
- }
-
- foreach (var room in PropertiesConfig.Rooms)
- {
- if (!(DeviceManager.GetDeviceForKey(room.RoomKey) is IBridgeAdvanced rm))
- {
- this.LogDebug("Room {roomKey} does not implement IBridgeAdvanced. Skipping...", room.RoomKey);
- continue;
- }
-
- rm.LinkToApi(Eisc, room.JoinStart, room.JoinMapKey, this);
- }
- }
-
- ///
- /// Adds a join map
- ///
- /// The key of the device to add the join map for
- /// The join map to add
- public void AddJoinMap(string deviceKey, JoinMapBaseAdvanced joinMap)
- {
- if (!JoinMaps.ContainsKey(deviceKey))
- {
- JoinMaps.Add(deviceKey, joinMap);
- }
- else
- {
- this.LogWarning("Unable to add join map with key '{deviceKey}'. Key already exists in JoinMaps dictionary", deviceKey);
- }
- }
-
- ///
- /// PrintJoinMaps method
- ///
- public virtual void PrintJoinMaps()
- {
- CrestronConsole.ConsoleCommandResponse("Join Maps for EISC IPID: {0}\r\n", Eisc.ID.ToString("X"));
-
- foreach (var joinMap in JoinMaps)
- {
- CrestronConsole.ConsoleCommandResponse("Join map for device '{0}':", joinMap.Key);
- joinMap.Value.PrintJoinMapInfo();
- }
- }
-
- ///
- /// MarkdownForBridge method
- ///
- public virtual void MarkdownForBridge(string bridgeKey)
- {
- this.LogInformation("Writing Joinmaps to files for EISC IPID: {eiscId}", Eisc.ID.ToString("X"));
-
- foreach (var joinMap in JoinMaps)
- {
- this.LogInformation("Generating markdown for device '{deviceKey}':", joinMap.Key);
- joinMap.Value.MarkdownJoinMapInfo(joinMap.Key, bridgeKey);
- }
- }
-
- ///
- /// Prints the join map for a device by key
- ///
- /// The key of the device to print the join map for
- public void PrintJoinMapForDevice(string deviceKey)
- {
- var joinMap = JoinMaps[deviceKey];
-
- if (joinMap == null)
- {
- this.LogInformation("Unable to find joinMap for device with key: '{deviceKey}'", deviceKey);
- return;
- }
-
- this.LogInformation("Join map for device '{deviceKey}' on EISC '{eiscKey}':", deviceKey, Key);
- joinMap.PrintJoinMapInfo();
- }
- ///
- /// Prints the join map for a device by key in Markdown format
- ///
- /// The key of the device to print the join map for
- /// The key of the bridge to use for the Markdown output
- public void MarkdownJoinMapForDevice(string deviceKey, string bridgeKey)
- {
- var joinMap = JoinMaps[deviceKey];
-
- if (joinMap == null)
- {
- this.LogInformation("Unable to find joinMap for device with key: '{deviceKey}'", deviceKey);
- return;
- }
-
- this.LogInformation("Join map for device '{deviceKey}' on EISC '{eiscKey}':", deviceKey, Key);
- joinMap.MarkdownJoinMapInfo(deviceKey, bridgeKey);
- }
-
- ///
- /// Used for debugging to trigger an action based on a join number and type
- ///
- /// The join number to execute the action for
- /// The type of join (digital, analog, serial)
- /// The state to pass to the action
- public void ExecuteJoinAction(uint join, string type, object state)
- {
- try
- {
- switch (type.ToLower())
- {
- case "digital":
- {
- if (Eisc.BooleanOutput[join].UserObject is Action userObject)
- {
- this.LogVerbose("Executing Boolean Action");
- userObject(Convert.ToBoolean(state));
- }
- else
- this.LogVerbose("User Object is null. Nothing to Execute");
- break;
- }
- case "analog":
- {
- if (Eisc.UShortOutput[join].UserObject is Action userObject)
- {
- this.LogVerbose("Executing Analog Action");
- userObject(Convert.ToUInt16(state));
- }
- else
- this.LogVerbose("User Object is null. Nothing to Execute");
- break;
- }
- case "serial":
- {
- if (Eisc.StringOutput[join].UserObject is Action userObject)
- {
- this.LogVerbose("Executing Serial Action");
- userObject(Convert.ToString(state));
- }
- else
- this.LogVerbose("User Object is null. Nothing to Execute");
- break;
- }
- default:
- {
- this.LogVerbose("Unknown join type. Use digital/serial/analog");
- break;
- }
- }
- }
- catch (Exception e)
- {
- this.LogError("ExecuteJoinAction error: {message}", e.Message);
- this.LogDebug(e, "Stack Trace: ");
- }
-
- }
-
- ///
- /// Handle incoming sig changes
- ///
- /// BasicTriList device that triggered the event
- /// Event arguments containing the signal information
- protected void Eisc_SigChange(object currentDevice, SigEventArgs args)
- {
- try
- {
- this.LogVerbose("EiscApiAdvanced change: {type} {number}={value}", args.Sig.Type, args.Sig.Number, args.Sig.StringValue);
- var userObject = args.Sig.UserObject;
-
- if (userObject == null) return;
-
-
- if (userObject is Action)
- {
- this.LogDebug("Executing Boolean Action");
- (userObject as Action)(args.Sig.BoolValue);
- }
- else if (userObject is Action)
- {
- this.LogDebug("Executing Analog Action");
- (userObject as Action)(args.Sig.UShortValue);
- }
- else if (userObject is Action)
- {
- this.LogDebug("Executing Serial Action");
- (userObject as Action)(args.Sig.StringValue);
- }
- }
- catch (Exception e)
- {
- this.LogError("Eisc_SigChange handler error: {message}", e.Message);
- this.LogDebug(e, "Stack Trace: ");
- }
- }
-
- #region Implementation of ICommunicationMonitor
-
- ///
- /// Gets or sets the CommunicationMonitor
- ///
- public StatusMonitorBase CommunicationMonitor { get; private set; }
-
- #endregion
}
///
- /// Represents a EiscApiPropertiesConfig
+ /// Prints all the join maps on this bridge
///
- public class EiscApiPropertiesConfig
+ public virtual void PrintJoinMaps()
{
- ///
- /// Gets or sets the Control
- ///
- [JsonProperty("control")]
- public EssentialsControlPropertiesConfig Control { get; set; }
+ CrestronConsole.ConsoleCommandResponse("Join Maps for EISC IPID: {0}\r\n", Eisc.ID.ToString("X"));
- ///
- /// Gets or sets the Devices
- ///
- [JsonProperty("devices")]
- public List Devices { get; set; }
-
- ///
- /// Gets or sets the Rooms
- ///
- [JsonProperty("rooms")]
- public List Rooms { get; set; }
-
-
- ///
- /// Represents a ApiDevicePropertiesConfig
- ///
- public class ApiDevicePropertiesConfig
+ foreach (var joinMap in JoinMaps)
{
- ///
- /// Gets or sets the DeviceKey
- ///
- [JsonProperty("deviceKey")]
- public string DeviceKey { get; set; }
-
- ///
- /// Gets or sets the JoinStart
- ///
- [JsonProperty("joinStart")]
- public uint JoinStart { get; set; }
-
- ///
- /// Gets or sets the JoinMapKey
- ///
- [JsonProperty("joinMapKey")]
- public string JoinMapKey { get; set; }
+ CrestronConsole.ConsoleCommandResponse("Join map for device '{0}':", joinMap.Key);
+ joinMap.Value.PrintJoinMapInfo();
}
+ }
+ ///
+ /// Generates markdown for all join maps on this bridge
+ ///
+ public virtual void MarkdownForBridge(string bridgeKey)
+ {
+ Debug.LogMessage(LogEventLevel.Information, this, "Writing Joinmaps to files for EISC IPID: {0}", Eisc.ID.ToString("X"));
- ///
- /// Represents a ApiRoomPropertiesConfig
- ///
- public class ApiRoomPropertiesConfig
+ foreach (var joinMap in JoinMaps)
{
- ///
- /// Gets or sets the RoomKey
- ///
- [JsonProperty("roomKey")]
- public string RoomKey { get; set; }
-
- ///
- /// Gets or sets the JoinStart
- ///
- [JsonProperty("joinStart")]
- public uint JoinStart { get; set; }
-
- ///
- /// Gets or sets the JoinMapKey
- ///
- [JsonProperty("joinMapKey")]
- public string JoinMapKey { get; set; }
+ Debug.LogMessage(LogEventLevel.Information, "Generating markdown for device '{0}':", joinMap.Key);
+ joinMap.Value.MarkdownJoinMapInfo(joinMap.Key, bridgeKey);
}
-
}
///
- /// Factory class for EiscApiAdvanced devices
+ /// Prints the join map for a device by key
///
- ///
- /// Supported types:
- /// eiscapiadv - Create a standard EISC client over TCP/IP
- /// eiscapiadvanced - Create a standard EISC client over TCP/IP
- /// eiscapiadvancedserver - Create an EISC server
- /// eiscapiadvancedclient - Create an EISC client
- /// vceiscapiadv - Create a VC-4 EISC client
- /// vceiscapiadvanced - Create a VC-4 EISC client
- /// eiscapiadvudp - Create a standard EISC client over UDP
- /// eiscapiadvancedudp - Create a standard EISC client over UDP
- ///
- public class EiscApiAdvancedFactory : EssentialsDeviceFactory
+ ///
+ public void PrintJoinMapForDevice(string deviceKey)
{
- ///
- /// Constructor
- ///
- public EiscApiAdvancedFactory()
+ var joinMap = JoinMaps[deviceKey];
+
+ if (joinMap == null)
{
- TypeNames = new List { "eiscapiadv", "eiscapiadvanced", "eiscapiadvancedserver", "eiscapiadvancedclient", "vceiscapiadv", "vceiscapiadvanced", "eiscapiadvudp", "eiscapiadvancedudp" };
+ Debug.LogMessage(LogEventLevel.Information, this, "Unable to find joinMap for device with key: '{0}'", deviceKey);
+ return;
}
- ///
- public override EssentialsDevice BuildDevice(DeviceConfig dc)
+ Debug.LogMessage(LogEventLevel.Information, "Join map for device '{0}' on EISC '{1}':", deviceKey, Key);
+ joinMap.PrintJoinMapInfo();
+ }
+ ///
+ /// Prints the join map for a device by key
+ ///
+ ///
+ public void MarkdownJoinMapForDevice(string deviceKey, string bridgeKey)
+ {
+ var joinMap = JoinMaps[deviceKey];
+
+ if (joinMap == null)
{
- Debug.LogDebug("Attempting to create new EiscApiAdvanced Device");
+ Debug.LogMessage(LogEventLevel.Information, this, "Unable to find joinMap for device with key: '{0}'", deviceKey);
+ return;
+ }
- var controlProperties = CommFactory.GetControlPropertiesConfig(dc);
+ Debug.LogMessage(LogEventLevel.Information, "Join map for device '{0}' on EISC '{1}':", deviceKey, Key);
+ joinMap.MarkdownJoinMapInfo(deviceKey, bridgeKey);
+ }
- BasicTriList eisc;
-
- switch (dc.Type.ToLower())
+ ///
+ /// Used for debugging to trigger an action based on a join number and type
+ ///
+ ///
+ ///
+ ///
+ public void ExecuteJoinAction(uint join, string type, object state)
+ {
+ try
+ {
+ switch (type.ToLower())
{
- case "eiscapiadvudp":
- case "eiscapiadvancedudp":
+ case "digital":
{
- eisc = new EthernetIntersystemCommunications(controlProperties.IpIdInt,
- controlProperties.TcpSshProperties.Address, Global.ControlSystem);
- break;
- }
- case "eiscapiadv":
- case "eiscapiadvanced":
- {
- eisc = new ThreeSeriesTcpIpEthernetIntersystemCommunications(controlProperties.IpIdInt,
- controlProperties.TcpSshProperties.Address, Global.ControlSystem);
- break;
- }
- case "eiscapiadvancedserver":
- {
- eisc = new EISCServer(controlProperties.IpIdInt, Global.ControlSystem);
- break;
- }
- case "eiscapiadvancedclient":
- {
- eisc = new EISCClient(controlProperties.IpIdInt, controlProperties.TcpSshProperties.Address, Global.ControlSystem);
- break;
- }
- case "vceiscapiadv":
- case "vceiscapiadvanced":
- {
- if (string.IsNullOrEmpty(controlProperties.RoomId))
+ var uo = Eisc.BooleanOutput[join].UserObject as Action;
+ if (uo != null)
{
- Debug.LogInformation("Unable to build VC-4 EISC Client for device {deviceKey}. Room ID is missing or empty", dc.Key);
- eisc = null;
- break;
+ Debug.LogMessage(LogEventLevel.Verbose, this, "Executing Action: {0}", uo.ToString());
+ uo(Convert.ToBoolean(state));
}
- eisc = new VirtualControlEISCClient(controlProperties.IpIdInt, controlProperties.RoomId,
- Global.ControlSystem);
+ else
+ Debug.LogMessage(LogEventLevel.Verbose, this, "User Action is null. Nothing to Execute");
+ break;
+ }
+ case "analog":
+ {
+ var uo = Eisc.BooleanOutput[join].UserObject as Action;
+ if (uo != null)
+ {
+ Debug.LogMessage(LogEventLevel.Verbose, this, "Executing Action: {0}", uo.ToString());
+ uo(Convert.ToUInt16(state));
+ }
+ else
+ Debug.LogMessage(LogEventLevel.Verbose, this, "User Action is null. Nothing to Execute"); break;
+ }
+ case "serial":
+ {
+ var uo = Eisc.BooleanOutput[join].UserObject as Action;
+ if (uo != null)
+ {
+ Debug.LogMessage(LogEventLevel.Verbose, this, "Executing Action: {0}", uo.ToString());
+ uo(Convert.ToString(state));
+ }
+ else
+ Debug.LogMessage(LogEventLevel.Verbose, this, "User Action is null. Nothing to Execute");
break;
}
default:
- eisc = null;
- break;
+ {
+ Debug.LogMessage(LogEventLevel.Verbose, "Unknown join type. Use digital/serial/analog");
+ break;
+ }
}
+ }
+ catch (Exception e)
+ {
+ Debug.LogMessage(LogEventLevel.Debug, this, "Error: {0}", e);
+ }
- if (eisc == null)
- {
- return null;
- }
+ }
- return new EiscApiAdvanced(dc, eisc);
+ ///
+ /// Handles incoming sig changes
+ ///
+ ///
+ ///
+ protected void Eisc_SigChange(object currentDevice, SigEventArgs args)
+ {
+ try
+ {
+ Debug.LogMessage(LogEventLevel.Verbose, this, "EiscApiAdvanced change: {0} {1}={2}", args.Sig.Type, args.Sig.Number, args.Sig.StringValue);
+ var uo = args.Sig.UserObject;
+
+ if (uo == null) return;
+
+ Debug.LogMessage(LogEventLevel.Debug, this, "Executing Action: {0}", uo.ToString());
+ if (uo is Action)
+ (uo as Action)(args.Sig.BoolValue);
+ else if (uo is Action)
+ (uo as Action)(args.Sig.UShortValue);
+ else if (uo is Action)
+ (uo as Action)(args.Sig.StringValue);
+ }
+ catch (Exception e)
+ {
+ Debug.LogMessage(LogEventLevel.Verbose, this, "Error in Eisc_SigChange handler: {0}", e);
}
}
+ #region Implementation of ICommunicationMonitor
+
+ public StatusMonitorBase CommunicationMonitor { get; private set; }
+
+ #endregion
+}
+
+public class EiscApiPropertiesConfig
+{
+ [JsonProperty("control")]
+ public EssentialsControlPropertiesConfig Control { get; set; }
+
+ [JsonProperty("devices")]
+ public List Devices { get; set; }
+
+ [JsonProperty("rooms")]
+ public List Rooms { get; set; }
+
+
+ public class ApiDevicePropertiesConfig
+ {
+ [JsonProperty("deviceKey")]
+ public string DeviceKey { get; set; }
+
+ [JsonProperty("joinStart")]
+ public uint JoinStart { get; set; }
+
+ [JsonProperty("joinMapKey")]
+ public string JoinMapKey { get; set; }
+ }
+
+ public class ApiRoomPropertiesConfig
+ {
+ [JsonProperty("roomKey")]
+ public string RoomKey { get; set; }
+
+ [JsonProperty("joinStart")]
+ public uint JoinStart { get; set; }
+
+ [JsonProperty("joinMapKey")]
+ public string JoinMapKey { get; set; }
+ }
+
+}
+
+public class EiscApiAdvancedFactory : EssentialsDeviceFactory
+{
+ public EiscApiAdvancedFactory()
+ {
+ TypeNames = new List { "eiscapiadv", "eiscapiadvanced", "eiscapiadvancedserver", "eiscapiadvancedclient", "vceiscapiadv", "vceiscapiadvanced" };
+ }
+
+ public override EssentialsDevice BuildDevice(DeviceConfig dc)
+ {
+ Debug.LogMessage(LogEventLevel.Debug, "Factory Attempting to create new EiscApiAdvanced Device");
+
+ var controlProperties = CommFactory.GetControlPropertiesConfig(dc);
+
+ BasicTriList eisc;
+
+ switch (dc.Type.ToLower())
+ {
+ case "eiscapiadv":
+ case "eiscapiadvanced":
+ {
+ eisc = new ThreeSeriesTcpIpEthernetIntersystemCommunications(controlProperties.IpIdInt,
+ controlProperties.TcpSshProperties.Address, Global.ControlSystem);
+ break;
+ }
+ case "eiscapiadvancedserver":
+ {
+ eisc = new EISCServer(controlProperties.IpIdInt, Global.ControlSystem);
+ break;
+ }
+ case "eiscapiadvancedclient":
+ {
+ eisc = new EISCClient(controlProperties.IpIdInt, controlProperties.TcpSshProperties.Address, Global.ControlSystem);
+ break;
+ }
+ case "vceiscapiadv":
+ case "vceiscapiadvanced":
+ {
+ if (string.IsNullOrEmpty(controlProperties.RoomId))
+ {
+ Debug.LogMessage(LogEventLevel.Information, "Unable to build VC-4 EISC Client for device {0}. Room ID is missing or empty", dc.Key);
+ eisc = null;
+ break;
+ }
+ eisc = new VirtualControlEISCClient(controlProperties.IpIdInt, controlProperties.RoomId,
+ Global.ControlSystem);
+ break;
+ }
+ default:
+ eisc = null;
+ break;
+ }
+
+ if (eisc == null)
+ {
+ return null;
+ }
+
+ return new EiscApiAdvanced(dc, eisc);
+ }
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/BridgeHelper.cs b/src/PepperDash.Essentials.Core/Bridges/BridgeHelper.cs
index 8d183b77..3a3ceff2 100644
--- a/src/PepperDash.Essentials.Core/Bridges/BridgeHelper.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/BridgeHelper.cs
@@ -3,71 +3,62 @@ using Serilog.Events;
//using PepperDash.Essentials.Devices.Common.Cameras;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+///
+/// Helper methods for bridges
+///
+public static class BridgeHelper
{
- ///
- /// Helper methods for bridges
- ///
- public static class BridgeHelper
+ public static void PrintJoinMap(string command)
{
- ///
- /// PrintJoinMp method
- ///
- /// target bridgekey to print join map for
- public static void PrintJoinMap(string command)
+ var targets = command.Split(' ');
+
+ var bridgeKey = targets[0].Trim();
+
+ if (!(DeviceManager.GetDeviceForKey(bridgeKey) is EiscApiAdvanced bridge))
{
- var targets = command.Split(' ');
-
- var bridgeKey = targets[0].Trim();
-
- if (!(DeviceManager.GetDeviceForKey(bridgeKey) is EiscApiAdvanced bridge))
- {
- Debug.LogMessage(LogEventLevel.Information, "Unable to find advanced bridge with key: '{0}'", bridgeKey);
- return;
- }
-
- if (targets.Length > 1)
- {
- var deviceKey = targets[1].Trim();
-
- if (string.IsNullOrEmpty(deviceKey)) return;
- bridge.PrintJoinMapForDevice(deviceKey);
- }
- else
- {
- bridge.PrintJoinMaps();
- }
+ Debug.LogMessage(LogEventLevel.Information, "Unable to find advanced bridge with key: '{0}'", bridgeKey);
+ return;
}
- ///
- /// JoinmapMarkdown method
- ///
- public static void JoinmapMarkdown(string command)
+
+ if (targets.Length > 1)
{
- var targets = command.Split(' ');
+ var deviceKey = targets[1].Trim();
- var bridgeKey = targets[0].Trim();
-
- var bridge = DeviceManager.GetDeviceForKey(bridgeKey) as EiscApiAdvanced;
-
- if (bridge == null)
- {
- Debug.LogMessage(LogEventLevel.Information, "Unable to find advanced bridge with key: '{0}'", bridgeKey);
- return;
- }
-
- if (targets.Length > 1)
- {
- var deviceKey = targets[1].Trim();
-
- if (string.IsNullOrEmpty(deviceKey)) return;
- bridge.MarkdownJoinMapForDevice(deviceKey, bridgeKey);
- }
- else
- {
- bridge.MarkdownForBridge(bridgeKey);
-
- }
+ if (string.IsNullOrEmpty(deviceKey)) return;
+ bridge.PrintJoinMapForDevice(deviceKey);
+ }
+ else
+ {
+ bridge.PrintJoinMaps();
}
}
+ public static void JoinmapMarkdown(string command)
+ {
+ var targets = command.Split(' ');
+ var bridgeKey = targets[0].Trim();
+
+ var bridge = DeviceManager.GetDeviceForKey(bridgeKey) as EiscApiAdvanced;
+
+ if (bridge == null)
+ {
+ Debug.LogMessage(LogEventLevel.Information, "Unable to find advanced bridge with key: '{0}'", bridgeKey);
+ return;
+ }
+
+ if (targets.Length > 1)
+ {
+ var deviceKey = targets[1].Trim();
+
+ if (string.IsNullOrEmpty(deviceKey)) return;
+ bridge.MarkdownJoinMapForDevice(deviceKey, bridgeKey);
+ }
+ else
+ {
+ bridge.MarkdownForBridge(bridgeKey);
+
+ }
+ }
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/IBridge.cs b/src/PepperDash.Essentials.Core/Bridges/IBridge.cs
index 34c11171..87b4bd35 100644
--- a/src/PepperDash.Essentials.Core/Bridges/IBridge.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/IBridge.cs
@@ -1,19 +1,11 @@
using Crestron.SimplSharpPro.DeviceSupport;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+///
+/// Defines a device that uses JoinMapBaseAdvanced for its join map
+///
+public interface IBridgeAdvanced
{
- ///
- /// Defines the contract for IBridgeAdvanced
- ///
- public interface IBridgeAdvanced
- {
- ///
- /// Links the bridge to the API using the provided trilist, join start, join map key, and bridge.
- ///
- /// The trilist to link to.
- /// The starting join number.
- /// The key for the join map.
- /// The EISC API bridge.
- void LinkToApi(BasicTriList trilist, uint joinStart, string joinMapKey, EiscApiAdvanced bridge);
- }
+ void LinkToApi(BasicTriList trilist, uint joinStart, string joinMapKey, EiscApiAdvanced bridge);
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/AirMediaControllerJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/AirMediaControllerJoinMap.cs
index 2bd218f6..33fca20e 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/AirMediaControllerJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/AirMediaControllerJoinMap.cs
@@ -1,110 +1,70 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class AirMediaControllerJoinMap : JoinMapBaseAdvanced
{
+ [JoinName("IsOnline")]
+ public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Air Media Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("IsInSession")]
+ public JoinDataComplete IsInSession = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Air Media In Sharing Session", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("HdmiVideoSync")]
+ public JoinDataComplete HdmiVideoSync = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "Air Media Has HDMI Video Sync", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("AutomaticInputRoutingEnabled")]
+ public JoinDataComplete AutomaticInputRoutingEnabled = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "Air Media Automatic Input Routing Enable(d)", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("VideoOut")]
+ public JoinDataComplete VideoOut = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Air Media Video Route Select / Feedback", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("ErrorFB")]
+ public JoinDataComplete ErrorFB = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Air Media Error Status", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("NumberOfUsersConnectedFB")]
+ public JoinDataComplete NumberOfUsersConnectedFB = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "Air Media Number of Users Connected", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("LoginCode")]
+ public JoinDataComplete LoginCode = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "Air Media Login Code Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("Name")]
+ public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Air Media Device Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("ConnectionAddressFB")]
+ public JoinDataComplete ConnectionAddressFB = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Air Media IP Address", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("HostnameFB")]
+ public JoinDataComplete HostnameFB = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "Air Media Hostname", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("SerialNumberFeedback")]
+ public JoinDataComplete SerialNumberFeedback = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "Air Media Serial Number", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
///
- /// Represents a AirMediaControllerJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class AirMediaControllerJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public AirMediaControllerJoinMap(uint joinStart)
+ : this(joinStart, typeof(AirMediaControllerJoinMap))
{
- ///
- /// Air Media Online status
- ///
- [JoinName("IsOnline")]
- public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Air Media Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Air Media In Sharing Session status
- ///
- [JoinName("IsInSession")]
- public JoinDataComplete IsInSession = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Air Media In Sharing Session", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Air Media Has HDMI Video Sync status
- ///
- [JoinName("HdmiVideoSync")]
- public JoinDataComplete HdmiVideoSync = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "Air Media Has HDMI Video Sync", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Air Media Automatic Input Routing Enable(d)
- ///
- [JoinName("AutomaticInputRoutingEnabled")]
- public JoinDataComplete AutomaticInputRoutingEnabled = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "Air Media Automatic Input Routing Enable(d)", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Air Media Video Route Select / Feedback
- ///
- [JoinName("VideoOut")]
- public JoinDataComplete VideoOut = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Air Media Video Route Select / Feedback", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Air Media Error Status Feedback
- ///
- [JoinName("ErrorFB")]
- public JoinDataComplete ErrorFB = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Air Media Error Status", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Air Media Number of Users Connected Feedback
- ///
- [JoinName("NumberOfUsersConnectedFB")]
- public JoinDataComplete NumberOfUsersConnectedFB = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "Air Media Number of Users Connected", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Air Media Login Code Set / Get
- ///
- [JoinName("LoginCode")]
- public JoinDataComplete LoginCode = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "Air Media Login Code Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Air Media Device Name
- ///
- [JoinName("Name")]
- public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Air Media Device Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// Air Media IP Address Feedback
- ///
- [JoinName("ConnectionAddressFB")]
- public JoinDataComplete ConnectionAddressFB = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Air Media IP Address", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// Air Media Hostname Feedback
- ///
- [JoinName("HostnameFB")]
- public JoinDataComplete HostnameFB = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "Air Media Hostname", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// Air Media Serial Number Feedback
- ///
- [JoinName("SerialNumberFeedback")]
- public JoinDataComplete SerialNumberFeedback = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "Air Media Serial Number", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public AirMediaControllerJoinMap(uint joinStart)
- : this(joinStart, typeof(AirMediaControllerJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected AirMediaControllerJoinMap(uint joinStart, Type type) : base(joinStart, type){}
}
+
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected AirMediaControllerJoinMap(uint joinStart, Type type) : base(joinStart, type){}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/AppleTvJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/AppleTvJoinMap.cs
index c337f9cf..3b3eaa06 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/AppleTvJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/AppleTvJoinMap.cs
@@ -1,77 +1,52 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class AppleTvJoinMap : JoinMapBaseAdvanced
{
+ [JoinName("UpArrow")]
+ public JoinDataComplete UpArrow = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "AppleTv Nav Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DnArrow")]
+ public JoinDataComplete DnArrow = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "AppleTv Nav Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("LeftArrow")]
+ public JoinDataComplete LeftArrow = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "AppleTv Nav Left", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("RightArrow")]
+ public JoinDataComplete RightArrow = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "AppleTv Nav Right", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Menu")]
+ public JoinDataComplete Menu = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
+ new JoinMetadata { Description = "AppleTv Menu", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Select")]
+ public JoinDataComplete Select = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
+ new JoinMetadata { Description = "AppleTv Select", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("PlayPause")]
+ public JoinDataComplete PlayPause = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
+ new JoinMetadata { Description = "AppleTv Play/Pause", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
///
- /// Represents a AppleTvJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class AppleTvJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public AppleTvJoinMap(uint joinStart)
+ : base(joinStart, typeof(AppleTvJoinMap))
{
- ///
- /// AppleTv Nav Up
- ///
- [JoinName("UpArrow")]
- public JoinDataComplete UpArrow = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "AppleTv Nav Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+ }
- ///
- /// AppleTv Nav Down
- ///
- [JoinName("DnArrow")]
- public JoinDataComplete DnArrow = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "AppleTv Nav Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// AppleTv Nav Left
- ///
- [JoinName("LeftArrow")]
- public JoinDataComplete LeftArrow = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "AppleTv Nav Left", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// AppleTv Nav Right
- ///
- [JoinName("RightArrow")]
- public JoinDataComplete RightArrow = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "AppleTv Nav Right", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// AppleTv Menu
- ///
- [JoinName("Menu")]
- public JoinDataComplete Menu = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
- new JoinMetadata { Description = "AppleTv Menu", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// AppleTv Select
- ///
- [JoinName("Select")]
- public JoinDataComplete Select = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
- new JoinMetadata { Description = "AppleTv Select", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// AppleTv Play/Pause
- ///
- [JoinName("PlayPause")]
- public JoinDataComplete PlayPause = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
- new JoinMetadata { Description = "AppleTv Play/Pause", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public AppleTvJoinMap(uint joinStart)
- : base(joinStart, typeof(AppleTvJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- public AppleTvJoinMap(uint joinStart, Type type) : base(joinStart, type)
- {
- }
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ public AppleTvJoinMap(uint joinStart, Type type) : base(joinStart, type)
+ {
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/C2nRthsControllerJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/C2nRthsControllerJoinMap.cs
index bb9da22f..17f8f4db 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/C2nRthsControllerJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/C2nRthsControllerJoinMap.cs
@@ -1,63 +1,44 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class C2nRthsControllerJoinMap : JoinMapBaseAdvanced
{
+ [JoinName("IsOnline")]
+ public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Temp Sensor Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("TemperatureFormat")]
+ public JoinDataComplete TemperatureFormat = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Temp Sensor Unit Format", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Temperature")]
+ public JoinDataComplete Temperature = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Temp Sensor Temperature Feedback", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("Humidity")]
+ public JoinDataComplete Humidity = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "Temp Sensor Humidity Feedback", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("Name")]
+ public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Temp Sensor Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
///
- /// Represents a C2nRthsControllerJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class C2nRthsControllerJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public C2nRthsControllerJoinMap(uint joinStart)
+ : this(joinStart, typeof(C2nRthsControllerJoinMap))
{
- ///
- /// C2nRthsController Online status
- ///
- [JoinName("IsOnline")]
- public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Temp Sensor Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+ }
- ///
- /// Temperature Format (C/F)
- ///
- [JoinName("TemperatureFormat")]
- public JoinDataComplete TemperatureFormat = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Temp Sensor Unit Format", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Temperature Sensor Feedbacks
- ///
- [JoinName("Temperature")]
- public JoinDataComplete Temperature = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Temp Sensor Temperature Feedback", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Humidity Sensor Feedbacks
- ///
- [JoinName("Humidity")]
- public JoinDataComplete Humidity = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "Temp Sensor Humidity Feedback", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Temp Sensor Name
- ///
- [JoinName("Name")]
- public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Temp Sensor Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public C2nRthsControllerJoinMap(uint joinStart)
- : this(joinStart, typeof(C2nRthsControllerJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected C2nRthsControllerJoinMap(uint joinStart, Type type) : base(joinStart, type)
- {
- }
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected C2nRthsControllerJoinMap(uint joinStart, Type type) : base(joinStart, type)
+ {
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/CameraControllerJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/CameraControllerJoinMap.cs
index aad43513..0cb011fa 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/CameraControllerJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/CameraControllerJoinMap.cs
@@ -1,140 +1,68 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+///
+/// Join map for CameraBase devices
+///
+public class CameraControllerJoinMap : JoinMapBaseAdvanced
{
+ [JoinName("TiltUp")]
+ public JoinDataComplete TiltUp = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 }, new JoinMetadata { Description = "Tilt Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+ [JoinName("TiltDown")]
+ public JoinDataComplete TiltDown = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 }, new JoinMetadata { Description = "Tilt Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+ [JoinName("PanLeft")]
+ public JoinDataComplete PanLeft = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 }, new JoinMetadata { Description = "Pan Left", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+ [JoinName("PanRight")]
+ public JoinDataComplete PanRight = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 }, new JoinMetadata { Description = "Pan Right", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+ [JoinName("ZoomIn")]
+ public JoinDataComplete ZoomIn = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 }, new JoinMetadata { Description = "Zoom In", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+ [JoinName("ZoomOut")]
+ public JoinDataComplete ZoomOut = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 }, new JoinMetadata { Description = "Zoom Out", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("IsOnline")]
+ public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 9, JoinSpan = 1 }, new JoinMetadata { Description = "Is Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+ [JoinName("PowerOn")]
+ public JoinDataComplete PowerOn = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 }, new JoinMetadata { Description = "Power On", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+ [JoinName("PowerOff")]
+ public JoinDataComplete PowerOff = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 }, new JoinMetadata { Description = "Power Off", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("NumberOfPresets")]
+ public JoinDataComplete NumberOfPresets = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 }, new JoinMetadata { Description = "Tells Essentials the number of defined presets", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Analog });
+ [JoinName("PresetRecallStart")]
+ public JoinDataComplete PresetRecallStart = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 20 }, new JoinMetadata { Description = "Preset Recall Start", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+ [JoinName("PresetLabelStart")]
+ public JoinDataComplete PresetLabelStart = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 20 }, new JoinMetadata { Description = "Preset Label Start", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("PresetSaveStart")]
+ public JoinDataComplete PresetSaveStart = new JoinDataComplete(new JoinData { JoinNumber = 31, JoinSpan = 20 }, new JoinMetadata { Description = "Preset Save Start", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("CameraModeAuto")]
+ public JoinDataComplete CameraModeAuto = new JoinDataComplete(new JoinData { JoinNumber = 51, JoinSpan = 1 }, new JoinMetadata { Description = "Camera Mode Auto", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+ [JoinName("CameraModeManual")]
+ public JoinDataComplete CameraModeManual = new JoinDataComplete(new JoinData { JoinNumber = 52, JoinSpan = 1 }, new JoinMetadata { Description = "Camera Mode Manual", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+ [JoinName("CameraModeOff")]
+ public JoinDataComplete CameraModeOff = new JoinDataComplete(new JoinData { JoinNumber = 53, JoinSpan = 1 }, new JoinMetadata { Description = "Camera Mode Off", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("SupportsCameraModeAuto")]
+ public JoinDataComplete SupportsCameraModeAuto = new JoinDataComplete(new JoinData { JoinNumber = 55, JoinSpan = 1 }, new JoinMetadata { Description = "Supports Camera Mode Auto", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+ [JoinName("SupportsCameraModeOff")]
+ public JoinDataComplete SupportsCameraModeOff = new JoinDataComplete(new JoinData { JoinNumber = 56, JoinSpan = 1 }, new JoinMetadata { Description = "Supports Camera Mode Off", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+ [JoinName("SupportsPresets")]
+ public JoinDataComplete SupportsPresets = new JoinDataComplete(new JoinData { JoinNumber = 57, JoinSpan = 1 }, new JoinMetadata { Description = "Supports Presets", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
///
- /// Represents a CameraControllerJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class CameraControllerJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public CameraControllerJoinMap(uint joinStart)
+ : this(joinStart, typeof(CameraControllerJoinMap))
{
- ///
- /// Tilt Up
- ///
- [JoinName("TiltUp")]
- public JoinDataComplete TiltUp = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 }, new JoinMetadata { Description = "Tilt Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Tilt Down
- ///
- [JoinName("TiltDown")]
- public JoinDataComplete TiltDown = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 }, new JoinMetadata { Description = "Tilt Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Pan Left
- ///
- [JoinName("PanLeft")]
- public JoinDataComplete PanLeft = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 }, new JoinMetadata { Description = "Pan Left", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Pan Right
- ///
- [JoinName("PanRight")]
- public JoinDataComplete PanRight = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 }, new JoinMetadata { Description = "Pan Right", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Zoom In
- ///
- [JoinName("ZoomIn")]
- public JoinDataComplete ZoomIn = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 }, new JoinMetadata { Description = "Zoom In", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Zoom Out
- ///
- [JoinName("ZoomOut")]
- public JoinDataComplete ZoomOut = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 }, new JoinMetadata { Description = "Zoom Out", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Is Online
- ///
- [JoinName("IsOnline")]
- public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 9, JoinSpan = 1 }, new JoinMetadata { Description = "Is Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Power On
- ///
- [JoinName("PowerOn")]
- public JoinDataComplete PowerOn = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 }, new JoinMetadata { Description = "Power On", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Power Off
- ///
- [JoinName("PowerOff")]
- public JoinDataComplete PowerOff = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 }, new JoinMetadata { Description = "Power Off", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Number Of Presets
- ///
- [JoinName("NumberOfPresets")]
- public JoinDataComplete NumberOfPresets = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 }, new JoinMetadata { Description = "Tells Essentials the number of defined presets", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Preset Recall Start
- ///
- [JoinName("PresetRecallStart")]
- public JoinDataComplete PresetRecallStart = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 20 }, new JoinMetadata { Description = "Preset Recall Start", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Preset Label Start
- ///
- [JoinName("PresetLabelStart")]
- public JoinDataComplete PresetLabelStart = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 20 }, new JoinMetadata { Description = "Preset Label Start", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// Preset Save Start
- ///
- [JoinName("PresetSaveStart")]
- public JoinDataComplete PresetSaveStart = new JoinDataComplete(new JoinData { JoinNumber = 31, JoinSpan = 20 }, new JoinMetadata { Description = "Preset Save Start", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Camera Mode Auto
- ///
- [JoinName("CameraModeAuto")]
- public JoinDataComplete CameraModeAuto = new JoinDataComplete(new JoinData { JoinNumber = 51, JoinSpan = 1 }, new JoinMetadata { Description = "Camera Mode Auto", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Camera Mode Manual
- ///
- [JoinName("CameraModeManual")]
- public JoinDataComplete CameraModeManual = new JoinDataComplete(new JoinData { JoinNumber = 52, JoinSpan = 1 }, new JoinMetadata { Description = "Camera Mode Manual", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Camera Mode Off
- ///
- [JoinName("CameraModeOff")]
- public JoinDataComplete CameraModeOff = new JoinDataComplete(new JoinData { JoinNumber = 53, JoinSpan = 1 }, new JoinMetadata { Description = "Camera Mode Off", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Supports Camera Mode Manual
- ///
- [JoinName("SupportsCameraModeAuto")]
- public JoinDataComplete SupportsCameraModeAuto = new JoinDataComplete(new JoinData { JoinNumber = 55, JoinSpan = 1 }, new JoinMetadata { Description = "Supports Camera Mode Auto", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Supports Camera Mode Off
- ///
- [JoinName("SupportsCameraModeOff")]
- public JoinDataComplete SupportsCameraModeOff = new JoinDataComplete(new JoinData { JoinNumber = 56, JoinSpan = 1 }, new JoinMetadata { Description = "Supports Camera Mode Off", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Supports Presets
- ///
- [JoinName("SupportsPresets")]
- public JoinDataComplete SupportsPresets = new JoinDataComplete(new JoinData { JoinNumber = 57, JoinSpan = 1 }, new JoinMetadata { Description = "Supports Presets", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public CameraControllerJoinMap(uint joinStart)
- : this(joinStart, typeof(CameraControllerJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected CameraControllerJoinMap(uint joinStart, Type type) : base(joinStart, type){}
}
+
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected CameraControllerJoinMap(uint joinStart, Type type) : base(joinStart, type){}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/CenOdtOccupancySensorBaseJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/CenOdtOccupancySensorBaseJoinMap.cs
index b52c5309..b585916b 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/CenOdtOccupancySensorBaseJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/CenOdtOccupancySensorBaseJoinMap.cs
@@ -1,320 +1,196 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class CenOdtOccupancySensorBaseJoinMap : JoinMapBaseAdvanced
{
+ #region Digitals
+
+ [JoinName("Online")]
+ public JoinDataComplete Online = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("ForceOccupied")]
+ public JoinDataComplete ForceOccupied = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Force Occupied", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("ForceVacant")]
+ public JoinDataComplete ForceVacant = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "Force Vacant", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("EnableRawStates")]
+ public JoinDataComplete EnableRawStates = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "Enable Raw States", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("RoomOccupiedFeedback")]
+ public JoinDataComplete RoomOccupiedFeedback = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Room Occupied Feedback", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("GraceOccupancyDetectedFeedback")]
+ public JoinDataComplete GraceOccupancyDetectedFeedback = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "Grace Occupancy Detected Feedback", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("RoomVacantFeedback")]
+ public JoinDataComplete RoomVacantFeedback = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "Room Vacant Feedback", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("RawOccupancyFeedback")]
+ public JoinDataComplete RawOccupancyFeedback = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
+ new JoinMetadata { Description = "Raw Occupancy Feedback", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("RawOccupancyPirFeedback")]
+ public JoinDataComplete RawOccupancyPirFeedback = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
+ new JoinMetadata { Description = "Raw Occupancy Pir Feedback", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("RawOccupancyUsFeedback")]
+ public JoinDataComplete RawOccupancyUsFeedback = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
+ new JoinMetadata { Description = "Raw Occupancy Us Feedback", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("IdentityModeOn")]
+ public JoinDataComplete IdentityMode = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 },
+ new JoinMetadata { Description = "Enable Identity Mode", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("IdentityModeFeedback")]
+ public JoinDataComplete IdentityModeFeedback = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 },
+ new JoinMetadata { Description = "Identity Mode Feedback", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("EnableLedFlash")]
+ public JoinDataComplete EnableLedFlash = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
+ new JoinMetadata { Description = "Enable Led Flash", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DisableLedFlash")]
+ public JoinDataComplete DisableLedFlash = new JoinDataComplete(new JoinData { JoinNumber = 12, JoinSpan = 1 },
+ new JoinMetadata { Description = "Disable Led Flash", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("EnableShortTimeout")]
+ public JoinDataComplete EnableShortTimeout = new JoinDataComplete(new JoinData { JoinNumber = 13, JoinSpan = 1 },
+ new JoinMetadata { Description = "Enable Short Timeout", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DisableShortTimeout")]
+ public JoinDataComplete DisableShortTimeout = new JoinDataComplete(new JoinData { JoinNumber = 14, JoinSpan = 1 },
+ new JoinMetadata { Description = "Disable Short Timeout", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("OrWhenVacated")]
+ public JoinDataComplete OrWhenVacated = new JoinDataComplete(new JoinData { JoinNumber = 15, JoinSpan = 1 },
+ new JoinMetadata { Description = "Or When Vacated", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("AndWhenVacated")]
+ public JoinDataComplete AndWhenVacated = new JoinDataComplete(new JoinData { JoinNumber = 16, JoinSpan = 1 },
+ new JoinMetadata { Description = "AndWhenVacated", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("EnableUsA")]
+ public JoinDataComplete EnableUsA = new JoinDataComplete(new JoinData { JoinNumber = 17, JoinSpan = 1 },
+ new JoinMetadata { Description = "Enable Us A", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DisableUsA")]
+ public JoinDataComplete DisableUsA = new JoinDataComplete(new JoinData { JoinNumber = 18, JoinSpan = 1 },
+ new JoinMetadata { Description = "Disable Us A", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("EnableUsB")]
+ public JoinDataComplete EnableUsB = new JoinDataComplete(new JoinData { JoinNumber = 19, JoinSpan = 1 },
+ new JoinMetadata { Description = "Enable Us B", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DisableUsB")]
+ public JoinDataComplete DisableUsB = new JoinDataComplete(new JoinData { JoinNumber = 20, JoinSpan = 1 },
+ new JoinMetadata { Description = "Disable Us B", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("EnablePir")]
+ public JoinDataComplete EnablePir = new JoinDataComplete(new JoinData { JoinNumber = 21, JoinSpan = 1 },
+ new JoinMetadata { Description = "Enable Pir", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DisablePir")]
+ public JoinDataComplete DisablePir = new JoinDataComplete(new JoinData { JoinNumber = 22, JoinSpan = 1 },
+ new JoinMetadata { Description = "Disable Pir", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("IncrementUsInOccupiedState")]
+ public JoinDataComplete IncrementUsInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 23, JoinSpan = 1 },
+ new JoinMetadata { Description = "Increment Us In OccupiedState", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DecrementUsInOccupiedState")]
+ public JoinDataComplete DecrementUsInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 24, JoinSpan = 1 },
+ new JoinMetadata { Description = "Dencrement Us In Occupied State", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("IncrementUsInVacantState")]
+ public JoinDataComplete IncrementUsInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 25, JoinSpan = 1 },
+ new JoinMetadata { Description = "Increment Us In VacantState", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DecrementUsInVacantState")]
+ public JoinDataComplete DecrementUsInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 26, JoinSpan = 1 },
+ new JoinMetadata { Description = "Decrement Us In VacantState", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("IncrementPirInOccupiedState")]
+ public JoinDataComplete IncrementPirInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 27, JoinSpan = 1 },
+ new JoinMetadata { Description = "Increment Pir In Occupied State", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DecrementPirInOccupiedState")]
+ public JoinDataComplete DecrementPirInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 28, JoinSpan = 1 },
+ new JoinMetadata { Description = "Decrement Pir In OccupiedState", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("IncrementPirInVacantState")]
+ public JoinDataComplete IncrementPirInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 29, JoinSpan = 1 },
+ new JoinMetadata { Description = "Increment Pir In Vacant State", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DecrementPirInVacantState")]
+ public JoinDataComplete DecrementPirInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 30, JoinSpan = 1 },
+ new JoinMetadata { Description = "Decrement Pir In Vacant State", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ #endregion
+
+ #region Analog
+
+ [JoinName("Timeout")]
+ public JoinDataComplete Timeout = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Timeout", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("TimeoutLocalFeedback")]
+ public JoinDataComplete TimeoutLocalFeedback = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Timeout Local Feedback", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("InternalPhotoSensorValue")]
+ public JoinDataComplete InternalPhotoSensorValue = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "Internal PhotoSensor Value", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("UsSensitivityInOccupiedState")]
+ public JoinDataComplete UsSensitivityInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
+ new JoinMetadata { Description = "Us Sensitivity In Occupied State", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("UsSensitivityInVacantState")]
+ public JoinDataComplete UsSensitivityInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
+ new JoinMetadata { Description = "Us Sensitivity In Vacant State", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("PirSensitivityInOccupiedState")]
+ public JoinDataComplete PirSensitivityInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
+ new JoinMetadata { Description = "Pir Sensitivity In Occupied State", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("PirSensitivityInVacantState")]
+ public JoinDataComplete PirSensitivityInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 },
+ new JoinMetadata { Description = "Pir Sensitivity In Vacant State", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+ #endregion
+
+ #region Serial
+
+ [JoinName("Name")]
+ public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ #endregion
+
///
- /// Represents a CenOdtOccupancySensorBaseJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class CenOdtOccupancySensorBaseJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public CenOdtOccupancySensorBaseJoinMap(uint joinStart)
+ : this(joinStart, typeof(CenOdtOccupancySensorBaseJoinMap))
{
- #region Digitals
-
- ///
- /// Online
- ///
- [JoinName("Online")]
- public JoinDataComplete Online = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Force Occupied
- ///
- [JoinName("ForceOccupied")]
- public JoinDataComplete ForceOccupied = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Force Occupied", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Force Vacant
- ///
- [JoinName("ForceVacant")]
- public JoinDataComplete ForceVacant = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "Force Vacant", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Enable Raw States
- ///
- [JoinName("EnableRawStates")]
- public JoinDataComplete EnableRawStates = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "Enable Raw States", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Disable Raw States
- ///
- [JoinName("RoomOccupiedFeedback")]
- public JoinDataComplete RoomOccupiedFeedback = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Room Occupied Feedback", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Grace Occupancy Detected Feedback
- ///
- [JoinName("GraceOccupancyDetectedFeedback")]
- public JoinDataComplete GraceOccupancyDetectedFeedback = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "Grace Occupancy Detected Feedback", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Room Vacant Feedback
- ///
- [JoinName("RoomVacantFeedback")]
- public JoinDataComplete RoomVacantFeedback = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "Room Vacant Feedback", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Raw Occupancy Feedback
- ///
- [JoinName("RawOccupancyFeedback")]
- public JoinDataComplete RawOccupancyFeedback = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
- new JoinMetadata { Description = "Raw Occupancy Feedback", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Raw Occupancy Pir Feedback
- ///
- [JoinName("RawOccupancyPirFeedback")]
- public JoinDataComplete RawOccupancyPirFeedback = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
- new JoinMetadata { Description = "Raw Occupancy Pir Feedback", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Raw Occupancy Us Feedback
- ///
- [JoinName("RawOccupancyUsFeedback")]
- public JoinDataComplete RawOccupancyUsFeedback = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
- new JoinMetadata { Description = "Raw Occupancy Us Feedback", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Identity Mode On
- ///
- [JoinName("IdentityModeOn")]
- public JoinDataComplete IdentityMode = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 },
- new JoinMetadata { Description = "Enable Identity Mode", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Identity Mode Off
- ///
- [JoinName("IdentityModeFeedback")]
- public JoinDataComplete IdentityModeFeedback = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 },
- new JoinMetadata { Description = "Identity Mode Feedback", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Enable Led Flash
- ///
- [JoinName("EnableLedFlash")]
- public JoinDataComplete EnableLedFlash = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
- new JoinMetadata { Description = "Enable Led Flash", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Disable Led Flash
- ///
- [JoinName("DisableLedFlash")]
- public JoinDataComplete DisableLedFlash = new JoinDataComplete(new JoinData { JoinNumber = 12, JoinSpan = 1 },
- new JoinMetadata { Description = "Disable Led Flash", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Enable Short Timeout
- ///
- [JoinName("EnableShortTimeout")]
- public JoinDataComplete EnableShortTimeout = new JoinDataComplete(new JoinData { JoinNumber = 13, JoinSpan = 1 },
- new JoinMetadata { Description = "Enable Short Timeout", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Disable Short Timeout
- ///
- [JoinName("DisableShortTimeout")]
- public JoinDataComplete DisableShortTimeout = new JoinDataComplete(new JoinData { JoinNumber = 14, JoinSpan = 1 },
- new JoinMetadata { Description = "Disable Short Timeout", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Or When Vacated
- ///
- [JoinName("OrWhenVacated")]
- public JoinDataComplete OrWhenVacated = new JoinDataComplete(new JoinData { JoinNumber = 15, JoinSpan = 1 },
- new JoinMetadata { Description = "Or When Vacated", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// And When Vacated
- ///
- [JoinName("AndWhenVacated")]
- public JoinDataComplete AndWhenVacated = new JoinDataComplete(new JoinData { JoinNumber = 16, JoinSpan = 1 },
- new JoinMetadata { Description = "AndWhenVacated", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Enable Us A
- ///
- [JoinName("EnableUsA")]
- public JoinDataComplete EnableUsA = new JoinDataComplete(new JoinData { JoinNumber = 17, JoinSpan = 1 },
- new JoinMetadata { Description = "Enable Us A", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Disable Us A
- ///
- [JoinName("DisableUsA")]
- public JoinDataComplete DisableUsA = new JoinDataComplete(new JoinData { JoinNumber = 18, JoinSpan = 1 },
- new JoinMetadata { Description = "Disable Us A", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Enable Us B
- ///
- [JoinName("EnableUsB")]
- public JoinDataComplete EnableUsB = new JoinDataComplete(new JoinData { JoinNumber = 19, JoinSpan = 1 },
- new JoinMetadata { Description = "Enable Us B", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Disable Us B
- ///
- [JoinName("DisableUsB")]
- public JoinDataComplete DisableUsB = new JoinDataComplete(new JoinData { JoinNumber = 20, JoinSpan = 1 },
- new JoinMetadata { Description = "Disable Us B", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Enable Pir
- ///
- [JoinName("EnablePir")]
- public JoinDataComplete EnablePir = new JoinDataComplete(new JoinData { JoinNumber = 21, JoinSpan = 1 },
- new JoinMetadata { Description = "Enable Pir", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Disable Pir
- ///
- [JoinName("DisablePir")]
- public JoinDataComplete DisablePir = new JoinDataComplete(new JoinData { JoinNumber = 22, JoinSpan = 1 },
- new JoinMetadata { Description = "Disable Pir", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Increment Us In Occupied State
- ///
- [JoinName("IncrementUsInOccupiedState")]
- public JoinDataComplete IncrementUsInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 23, JoinSpan = 1 },
- new JoinMetadata { Description = "Increment Us In OccupiedState", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Decrement Us In Occupied State
- ///
- [JoinName("DecrementUsInOccupiedState")]
- public JoinDataComplete DecrementUsInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 24, JoinSpan = 1 },
- new JoinMetadata { Description = "Dencrement Us In Occupied State", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Increment Us In Vacant State
- ///
- [JoinName("IncrementUsInVacantState")]
- public JoinDataComplete IncrementUsInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 25, JoinSpan = 1 },
- new JoinMetadata { Description = "Increment Us In VacantState", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Decrement Us In Vacant State
- ///
- [JoinName("DecrementUsInVacantState")]
- public JoinDataComplete DecrementUsInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 26, JoinSpan = 1 },
- new JoinMetadata { Description = "Decrement Us In VacantState", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Increment Pir In Occupied State
- ///
- [JoinName("IncrementPirInOccupiedState")]
- public JoinDataComplete IncrementPirInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 27, JoinSpan = 1 },
- new JoinMetadata { Description = "Increment Pir In Occupied State", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Decrement Pir In Occupied State
- ///
- [JoinName("DecrementPirInOccupiedState")]
- public JoinDataComplete DecrementPirInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 28, JoinSpan = 1 },
- new JoinMetadata { Description = "Decrement Pir In OccupiedState", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Increment Pir In Vacant State
- ///
- [JoinName("IncrementPirInVacantState")]
- public JoinDataComplete IncrementPirInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 29, JoinSpan = 1 },
- new JoinMetadata { Description = "Increment Pir In Vacant State", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Decrement Pir In Vacant State
- ///
- [JoinName("DecrementPirInVacantState")]
- public JoinDataComplete DecrementPirInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 30, JoinSpan = 1 },
- new JoinMetadata { Description = "Decrement Pir In Vacant State", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- #endregion
-
- #region Analog
- ///
- /// Timeout
- ///
- [JoinName("Timeout")]
- public JoinDataComplete Timeout = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Timeout", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Timeout Local Feedback
- ///
- [JoinName("TimeoutLocalFeedback")]
- public JoinDataComplete TimeoutLocalFeedback = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Timeout Local Feedback", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Internal PhotoSensor Value
- ///
- [JoinName("InternalPhotoSensorValue")]
- public JoinDataComplete InternalPhotoSensorValue = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "Internal PhotoSensor Value", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// External PhotoSensor Value
- ///
- [JoinName("UsSensitivityInOccupiedState")]
- public JoinDataComplete UsSensitivityInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
- new JoinMetadata { Description = "Us Sensitivity In Occupied State", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Us Sensitivity In Vacant State
- ///
- [JoinName("UsSensitivityInVacantState")]
- public JoinDataComplete UsSensitivityInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
- new JoinMetadata { Description = "Us Sensitivity In Vacant State", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Pir Sensitivity In Occupied State
- ///
- [JoinName("PirSensitivityInOccupiedState")]
- public JoinDataComplete PirSensitivityInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
- new JoinMetadata { Description = "Pir Sensitivity In Occupied State", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Pir Sensitivity In Vacant State
- ///
- [JoinName("PirSensitivityInVacantState")]
- public JoinDataComplete PirSensitivityInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 },
- new JoinMetadata { Description = "Pir Sensitivity In Vacant State", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- #endregion
-
- #region Serial
-
- ///
- /// Name
- ///
- [JoinName("Name")]
- public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- #endregion
-
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public CenOdtOccupancySensorBaseJoinMap(uint joinStart)
- : this(joinStart, typeof(CenOdtOccupancySensorBaseJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected CenOdtOccupancySensorBaseJoinMap(uint joinStart, Type type) : base(joinStart, type)
- {
- }
}
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected CenOdtOccupancySensorBaseJoinMap(uint joinStart, Type type) : base(joinStart, type)
+ {
+ }
}
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DisplayControllerJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DisplayControllerJoinMap.cs
index 3741f951..2ab95b8e 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DisplayControllerJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DisplayControllerJoinMap.cs
@@ -1,133 +1,84 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class DisplayControllerJoinMap : JoinMapBaseAdvanced
{
+ [JoinName("Name")]
+ public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("PowerOff")]
+ public JoinDataComplete PowerOff = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Power Off", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("PowerOn")]
+ public JoinDataComplete PowerOn = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Power On", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("IsTwoWayDisplay")]
+ public JoinDataComplete IsTwoWayDisplay = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "Is Two Way Display", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("VolumeUp")]
+ public JoinDataComplete VolumeUp = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
+ new JoinMetadata { Description = "Volume Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("VolumeLevel")]
+ public JoinDataComplete VolumeLevel = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
+ new JoinMetadata { Description = "Volume Level", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("VolumeDown")]
+ public JoinDataComplete VolumeDown = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
+ new JoinMetadata { Description = "Volume Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("VolumeMute")]
+ public JoinDataComplete VolumeMute = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
+ new JoinMetadata { Description = "Volume Mute", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("VolumeMuteOn")]
+ public JoinDataComplete VolumeMuteOn = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 },
+ new JoinMetadata { Description = "Volume Mute On", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("VolumeMuteOff")]
+ public JoinDataComplete VolumeMuteOff = new JoinDataComplete(new JoinData { JoinNumber = 9, JoinSpan = 1 },
+ new JoinMetadata { Description = "Volume Mute Off", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("InputSelectOffset")]
+ public JoinDataComplete InputSelectOffset = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 10 },
+ new JoinMetadata { Description = "Input Select", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("InputNamesOffset")]
+ public JoinDataComplete InputNamesOffset = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 10 },
+ new JoinMetadata { Description = "Input Names Offset", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("InputSelect")]
+ public JoinDataComplete InputSelect = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
+ new JoinMetadata { Description = "Input Select", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("ButtonVisibilityOffset")]
+ public JoinDataComplete ButtonVisibilityOffset = new JoinDataComplete(new JoinData { JoinNumber = 41, JoinSpan = 10 },
+ new JoinMetadata { Description = "Button Visibility Offset", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.DigitalSerial });
+
+ [JoinName("IsOnline")]
+ public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 50, JoinSpan = 1 },
+ new JoinMetadata { Description = "Is Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
///
- /// Represents a DisplayControllerJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class DisplayControllerJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public DisplayControllerJoinMap(uint joinStart)
+ : this(joinStart, typeof(DisplayControllerJoinMap))
{
- ///
- /// Name
- ///
- [JoinName("Name")]
- public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// Power Off
- ///
- [JoinName("PowerOff")]
- public JoinDataComplete PowerOff = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Power Off", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Power On
- ///
- [JoinName("PowerOn")]
- public JoinDataComplete PowerOn = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Power On", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Is Two Way Display
- ///
- [JoinName("IsTwoWayDisplay")]
- public JoinDataComplete IsTwoWayDisplay = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "Is Two Way Display", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Volume Up
- ///
- [JoinName("VolumeUp")]
- public JoinDataComplete VolumeUp = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
- new JoinMetadata { Description = "Volume Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Volume Level
- ///
- [JoinName("VolumeLevel")]
- public JoinDataComplete VolumeLevel = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
- new JoinMetadata { Description = "Volume Level", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Volume Down
- ///
- [JoinName("VolumeDown")]
- public JoinDataComplete VolumeDown = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
- new JoinMetadata { Description = "Volume Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Volume Mute
- ///
- [JoinName("VolumeMute")]
- public JoinDataComplete VolumeMute = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
- new JoinMetadata { Description = "Volume Mute", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Volume Mute On
- ///
- [JoinName("VolumeMuteOn")]
- public JoinDataComplete VolumeMuteOn = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 },
- new JoinMetadata { Description = "Volume Mute On", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Volume Mute Off
- ///
- [JoinName("VolumeMuteOff")]
- public JoinDataComplete VolumeMuteOff = new JoinDataComplete(new JoinData { JoinNumber = 9, JoinSpan = 1 },
- new JoinMetadata { Description = "Volume Mute Off", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Input Select Offset
- ///
- [JoinName("InputSelectOffset")]
- public JoinDataComplete InputSelectOffset = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 10 },
- new JoinMetadata { Description = "Input Select", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Input Names Offset
- ///
- [JoinName("InputNamesOffset")]
- public JoinDataComplete InputNamesOffset = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 10 },
- new JoinMetadata { Description = "Input Names Offset", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// Input Select
- ///
- [JoinName("InputSelect")]
- public JoinDataComplete InputSelect = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
- new JoinMetadata { Description = "Input Select", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Button Visibility Offset
- ///
- [JoinName("ButtonVisibilityOffset")]
- public JoinDataComplete ButtonVisibilityOffset = new JoinDataComplete(new JoinData { JoinNumber = 41, JoinSpan = 10 },
- new JoinMetadata { Description = "Button Visibility Offset", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.DigitalSerial });
-
- ///
- /// Is Online
- ///
- [JoinName("IsOnline")]
- public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 50, JoinSpan = 1 },
- new JoinMetadata { Description = "Is Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+ }
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public DisplayControllerJoinMap(uint joinStart)
- : this(joinStart, typeof(DisplayControllerJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected DisplayControllerJoinMap(uint joinStart, Type type) : base(joinStart, type)
- {
- }
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected DisplayControllerJoinMap(uint joinStart, Type type) : base(joinStart, type)
+ {
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmBladeChassisControllerJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmBladeChassisControllerJoinMap.cs
index c6488bba..3edd1222 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmBladeChassisControllerJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmBladeChassisControllerJoinMap.cs
@@ -1,113 +1,73 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges {
+namespace PepperDash.Essentials.Core.Bridges;
+public class DmBladeChassisControllerJoinMap : JoinMapBaseAdvanced {
+
+ [JoinName("IsOnline")]
+ public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM Blade Chassis Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("VideoSyncStatus")]
+ public JoinDataComplete VideoSyncStatus = new JoinDataComplete(new JoinData { JoinNumber = 101, JoinSpan = 128 },
+ new JoinMetadata { Description = "DM Blade Input Video Sync", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("InputEndpointOnline")]
+ public JoinDataComplete InputEndpointOnline = new JoinDataComplete(new JoinData { JoinNumber = 501, JoinSpan = 128 },
+ new JoinMetadata { Description = "DM Blade Chassis Input Endpoint Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("OutputEndpointOnline")]
+ public JoinDataComplete OutputEndpointOnline = new JoinDataComplete(new JoinData { JoinNumber = 701, JoinSpan = 128 },
+ new JoinMetadata { Description = "DM Blade Chassis Output Endpoint Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("TxAdvancedIsPresent")]
+ public JoinDataComplete TxAdvancedIsPresent = new JoinDataComplete(new JoinData { JoinNumber = 1001, JoinSpan = 128 },
+ new JoinMetadata { Description = "DM Blade Chassis Tx Advanced Is Present", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("OutputVideo")]
+ public JoinDataComplete OutputVideo = new JoinDataComplete(new JoinData { JoinNumber = 101, JoinSpan = 128 },
+ new JoinMetadata { Description = "DM Blade Chassis Output Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("HdcpSupportState")]
+ public JoinDataComplete HdcpSupportState = new JoinDataComplete(new JoinData { JoinNumber = 1001, JoinSpan = 128 },
+ new JoinMetadata { Description = "DM Blade Chassis Input HDCP Support State", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("HdcpSupportCapability")]
+ public JoinDataComplete HdcpSupportCapability = new JoinDataComplete(new JoinData { JoinNumber = 1201, JoinSpan = 128 },
+ new JoinMetadata { Description = "DM Blade Chassis Input HDCP Support Capability", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("InputNames")]
+ public JoinDataComplete InputNames = new JoinDataComplete(new JoinData { JoinNumber = 101, JoinSpan = 128 },
+ new JoinMetadata { Description = "DM Blade Chassis Input Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("OutputNames")]
+ public JoinDataComplete OutputNames = new JoinDataComplete(new JoinData { JoinNumber = 301, JoinSpan = 128 },
+ new JoinMetadata { Description = "DM Blade Chassis Output Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("OutputCurrentVideoInputNames")]
+ public JoinDataComplete OutputCurrentVideoInputNames = new JoinDataComplete(new JoinData { JoinNumber = 2001, JoinSpan = 128 },
+ new JoinMetadata { Description = "DM Blade Chassis Video Output Currently Routed Video Input Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("InputCurrentResolution")]
+ public JoinDataComplete InputCurrentResolution = new JoinDataComplete(new JoinData { JoinNumber = 2401, JoinSpan = 128 },
+ new JoinMetadata { Description = "DM Blade Chassis Input Current Resolution", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+
///
- /// Represents a DmBladeChassisControllerJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class DmBladeChassisControllerJoinMap : JoinMapBaseAdvanced {
-
- ///
- /// DM Blade Chassis Online status
- ///
- [JoinName("IsOnline")]
- public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
- new JoinMetadata { Description = "DM Blade Chassis Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DM Blade Input Video Sync
- ///
- [JoinName("VideoSyncStatus")]
- public JoinDataComplete VideoSyncStatus = new JoinDataComplete(new JoinData { JoinNumber = 101, JoinSpan = 128 },
- new JoinMetadata { Description = "DM Blade Input Video Sync", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DM Blade Chassis Input Endpoint Online
- ///
- [JoinName("InputEndpointOnline")]
- public JoinDataComplete InputEndpointOnline = new JoinDataComplete(new JoinData { JoinNumber = 501, JoinSpan = 128 },
- new JoinMetadata { Description = "DM Blade Chassis Input Endpoint Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DM Blade Chassis Output Endpoint Online
- ///
- [JoinName("OutputEndpointOnline")]
- public JoinDataComplete OutputEndpointOnline = new JoinDataComplete(new JoinData { JoinNumber = 701, JoinSpan = 128 },
- new JoinMetadata { Description = "DM Blade Chassis Output Endpoint Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DM Blade Chassis Tx Advanced Is Present
- ///
- [JoinName("TxAdvancedIsPresent")]
- public JoinDataComplete TxAdvancedIsPresent = new JoinDataComplete(new JoinData { JoinNumber = 1001, JoinSpan = 128 },
- new JoinMetadata { Description = "DM Blade Chassis Tx Advanced Is Present", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DM Blade Chassis Rx Advanced Is Present
- ///
- [JoinName("OutputVideo")]
- public JoinDataComplete OutputVideo = new JoinDataComplete(new JoinData { JoinNumber = 101, JoinSpan = 128 },
- new JoinMetadata { Description = "DM Blade Chassis Output Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM Blade Chassis Input HDCP Support State
- ///
- [JoinName("HdcpSupportState")]
- public JoinDataComplete HdcpSupportState = new JoinDataComplete(new JoinData { JoinNumber = 1001, JoinSpan = 128 },
- new JoinMetadata { Description = "DM Blade Chassis Input HDCP Support State", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM Blade Chassis Input HDCP Support Capability
- ///
- [JoinName("HdcpSupportCapability")]
- public JoinDataComplete HdcpSupportCapability = new JoinDataComplete(new JoinData { JoinNumber = 1201, JoinSpan = 128 },
- new JoinMetadata { Description = "DM Blade Chassis Input HDCP Support Capability", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM Blade Chassis Input Names
- ///
- [JoinName("InputNames")]
- public JoinDataComplete InputNames = new JoinDataComplete(new JoinData { JoinNumber = 101, JoinSpan = 128 },
- new JoinMetadata { Description = "DM Blade Chassis Input Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// DM Blade Chassis Output Names
- ///
- [JoinName("OutputNames")]
- public JoinDataComplete OutputNames = new JoinDataComplete(new JoinData { JoinNumber = 301, JoinSpan = 128 },
- new JoinMetadata { Description = "DM Blade Chassis Output Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// DM Blade Chassis Video Output Currently Routed Video Input Name
- ///
- [JoinName("OutputCurrentVideoInputNames")]
- public JoinDataComplete OutputCurrentVideoInputNames = new JoinDataComplete(new JoinData { JoinNumber = 2001, JoinSpan = 128 },
- new JoinMetadata { Description = "DM Blade Chassis Video Output Currently Routed Video Input Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// DM Blade Chassis Input Current Resolution
- ///
- [JoinName("InputCurrentResolution")]
- public JoinDataComplete InputCurrentResolution = new JoinDataComplete(new JoinData { JoinNumber = 2401, JoinSpan = 128 },
- new JoinMetadata { Description = "DM Blade Chassis Input Current Resolution", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
-
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public DmBladeChassisControllerJoinMap(uint joinStart)
- : this(joinStart, typeof(DmBladeChassisControllerJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected DmBladeChassisControllerJoinMap(uint joinStart, Type type) : base(joinStart, type)
- {
- }
-
+ /// Join this join map will start at
+ public DmBladeChassisControllerJoinMap(uint joinStart)
+ : this(joinStart, typeof(DmBladeChassisControllerJoinMap))
+ {
}
+
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected DmBladeChassisControllerJoinMap(uint joinStart, Type type) : base(joinStart, type)
+ {
+ }
+
}
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmChassisControllerJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmChassisControllerJoinMap.cs
index 9d2217cc..db3701b3 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmChassisControllerJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmChassisControllerJoinMap.cs
@@ -1,259 +1,169 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class DmChassisControllerJoinMap : JoinMapBaseAdvanced
{
+ [JoinName("EnableAudioBreakaway")]
+ public JoinDataComplete EnableAudioBreakaway = new JoinDataComplete(
+ new JoinData {JoinNumber = 4, JoinSpan = 1},
+ new JoinMetadata
+ {
+ Description = "DM Chassis enable audio breakaway routing",
+ JoinCapabilities = eJoinCapabilities.FromSIMPL,
+ JoinType = eJoinType.Digital
+ });
+
+ [JoinName("EnableUsbBreakaway")]
+ public JoinDataComplete EnableUsbBreakaway = new JoinDataComplete(
+ new JoinData { JoinNumber = 5, JoinSpan = 1 },
+ new JoinMetadata
+ {
+ Description = "DM Chassis enable USB breakaway routing",
+ JoinCapabilities = eJoinCapabilities.FromSIMPL,
+ JoinType = eJoinType.Digital
+ });
+
+ [JoinName("Name")]
+ public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM Chassis Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("SystemId")]
+ public JoinDataComplete SystemId = new JoinDataComplete(new JoinData { JoinNumber = 10, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM Chassis SystemId Get/Set/Trigger/", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.DigitalAnalog });
+
+ [JoinName("IsOnline")]
+ public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM Chassis Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("VideoSyncStatus")]
+ public JoinDataComplete VideoSyncStatus = new JoinDataComplete(new JoinData { JoinNumber = 101, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Input Video Sync", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("InputEndpointOnline")]
+ public JoinDataComplete InputEndpointOnline = new JoinDataComplete(new JoinData { JoinNumber = 501, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Input Endpoint Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("OutputEndpointOnline")]
+ public JoinDataComplete OutputEndpointOnline = new JoinDataComplete(new JoinData { JoinNumber = 701, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Output Endpoint Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("TxAdvancedIsPresent")]
+ public JoinDataComplete TxAdvancedIsPresent = new JoinDataComplete(new JoinData { JoinNumber = 1001, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Tx Advanced Is Present", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("OutputDisabledByHdcp")]
+ public JoinDataComplete OutputDisabledByHdcp = new JoinDataComplete(new JoinData { JoinNumber = 1201, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Output Disabled by HDCP", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("OutputVideo")]
+ public JoinDataComplete OutputVideo = new JoinDataComplete(new JoinData { JoinNumber = 101, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Output Video Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("OutputAudio")]
+ public JoinDataComplete OutputAudio = new JoinDataComplete(new JoinData { JoinNumber = 301, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Output Audio Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("OutputUsb")]
+ public JoinDataComplete OutputUsb = new JoinDataComplete(new JoinData { JoinNumber = 501, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Output USB Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("InputUsb")]
+ public JoinDataComplete InputUsb = new JoinDataComplete(new JoinData { JoinNumber = 701, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Input Usb Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("HdcpSupportState")]
+ public JoinDataComplete HdcpSupportState = new JoinDataComplete(new JoinData { JoinNumber = 1001, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Input HDCP Support State", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("HdcpSupportCapability")]
+ public JoinDataComplete HdcpSupportCapability = new JoinDataComplete(new JoinData { JoinNumber = 1201, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Input HDCP Support Capability", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("InputStreamCardState")]
+ public JoinDataComplete InputStreamCardState = new JoinDataComplete(new JoinData { JoinNumber = 1501, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Stream Input Start (1), Stop (2), Pause (3) with Feedback", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("OutputStreamCardState")]
+ public JoinDataComplete OutputStreamCardState = new JoinDataComplete(new JoinData { JoinNumber = 1601, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Stream Output Start (1), Stop (2), Pause (3) with Feedback", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("NoRouteName")]
+ public JoinDataComplete NoRouteName = new JoinDataComplete(new JoinData { JoinNumber = 100, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM Chassis Input Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("InputNames")]
+ public JoinDataComplete InputNames = new JoinDataComplete(new JoinData { JoinNumber = 101, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Input Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("OutputNames")]
+ public JoinDataComplete OutputNames = new JoinDataComplete(new JoinData { JoinNumber = 301, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Output Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("InputVideoNames")] public JoinDataComplete InputVideoNames =
+ new JoinDataComplete(new JoinData {JoinNumber = 501, JoinSpan = 200},
+ new JoinMetadata
+ {
+ Description = "DM Chassis Video Input Names",
+ JoinCapabilities = eJoinCapabilities.ToFromSIMPL,
+ JoinType = eJoinType.Serial
+ });
+
+ [JoinName("InputAudioNames")]
+ public JoinDataComplete InputAudioNames =
+ new JoinDataComplete(new JoinData { JoinNumber = 701, JoinSpan = 200 },
+ new JoinMetadata
+ {
+ Description = "DM Chassis Audio Input Names",
+ JoinCapabilities = eJoinCapabilities.ToFromSIMPL,
+ JoinType = eJoinType.Serial
+ });
+ [JoinName("OutputVideoNames")]
+ public JoinDataComplete OutputVideoNames =
+ new JoinDataComplete(new JoinData { JoinNumber = 901, JoinSpan = 200 },
+ new JoinMetadata
+ {
+ Description = "DM Chassis Video Output Names",
+ JoinCapabilities = eJoinCapabilities.ToFromSIMPL,
+ JoinType = eJoinType.Serial
+ });
+ [JoinName("OutputAudioNames")]
+ public JoinDataComplete OutputAudioNames =
+ new JoinDataComplete(new JoinData { JoinNumber = 1101, JoinSpan = 200 },
+ new JoinMetadata
+ {
+ Description = "DM Chassis Audio Output Names",
+ JoinCapabilities = eJoinCapabilities.ToFromSIMPL,
+ JoinType = eJoinType.Serial
+ });
+
+ [JoinName("OutputCurrentVideoInputNames")]
+ public JoinDataComplete OutputCurrentVideoInputNames = new JoinDataComplete(new JoinData { JoinNumber = 2001, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Video Output Currently Routed Video Input Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("OutputCurrentAudioInputNames")]
+ public JoinDataComplete OutputCurrentAudioInputNames = new JoinDataComplete(new JoinData { JoinNumber = 2201, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Audio Output Currently Routed Video Input Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("InputCurrentResolution")]
+ public JoinDataComplete InputCurrentResolution = new JoinDataComplete(new JoinData { JoinNumber = 2401, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Input Current Resolution", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
///
- /// Represents a DmChassisControllerJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class DmChassisControllerJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public DmChassisControllerJoinMap(uint joinStart)
+ : this(joinStart, typeof(DmChassisControllerJoinMap))
{
- ///
- /// DM Chassis enable audio breakaway routing
- ///
- [JoinName("EnableAudioBreakaway")]
- public JoinDataComplete EnableAudioBreakaway = new JoinDataComplete(
- new JoinData {JoinNumber = 4, JoinSpan = 1},
- new JoinMetadata
- {
- Description = "DM Chassis enable audio breakaway routing",
- JoinCapabilities = eJoinCapabilities.FromSIMPL,
- JoinType = eJoinType.Digital
- });
-
- ///
- /// DM Chassis enable USB breakaway routing
- ///
- [JoinName("EnableUsbBreakaway")]
- public JoinDataComplete EnableUsbBreakaway = new JoinDataComplete(
- new JoinData { JoinNumber = 5, JoinSpan = 1 },
- new JoinMetadata
- {
- Description = "DM Chassis enable USB breakaway routing",
- JoinCapabilities = eJoinCapabilities.FromSIMPL,
- JoinType = eJoinType.Digital
- });
-
- ///
- /// DM Chassis Name
- ///
- [JoinName("Name")]
- public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "DM Chassis Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// DM Chassis SystemId Get/Set/Trigger
- ///
- [JoinName("SystemId")]
- public JoinDataComplete SystemId = new JoinDataComplete(new JoinData { JoinNumber = 10, JoinSpan = 1 },
- new JoinMetadata { Description = "DM Chassis SystemId Get/Set/Trigger/", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.DigitalAnalog });
-
- ///
- /// DM Chassis Online status
- ///
- [JoinName("IsOnline")]
- public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
- new JoinMetadata { Description = "DM Chassis Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DM Input Video Sync
- ///
- [JoinName("VideoSyncStatus")]
- public JoinDataComplete VideoSyncStatus = new JoinDataComplete(new JoinData { JoinNumber = 101, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Input Video Sync", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DM Chassis Input Endpoint Online
- ///
- [JoinName("InputEndpointOnline")]
- public JoinDataComplete InputEndpointOnline = new JoinDataComplete(new JoinData { JoinNumber = 501, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Input Endpoint Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DM Chassis Output Endpoint Online
- ///
- [JoinName("OutputEndpointOnline")]
- public JoinDataComplete OutputEndpointOnline = new JoinDataComplete(new JoinData { JoinNumber = 701, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Output Endpoint Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DM Chassis Tx Advanced Is Present
- ///
- [JoinName("TxAdvancedIsPresent")]
- public JoinDataComplete TxAdvancedIsPresent = new JoinDataComplete(new JoinData { JoinNumber = 1001, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Tx Advanced Is Present", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DM Chassis Rx Advanced Is Present
- ///
- [JoinName("OutputDisabledByHdcp")]
- public JoinDataComplete OutputDisabledByHdcp = new JoinDataComplete(new JoinData { JoinNumber = 1201, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Output Disabled by HDCP", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DM Chassis Output Set / Get
- ///
- [JoinName("OutputVideo")]
- public JoinDataComplete OutputVideo = new JoinDataComplete(new JoinData { JoinNumber = 101, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Output Video Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM Chassis Output Audio Set / Get
- ///
- [JoinName("OutputAudio")]
- public JoinDataComplete OutputAudio = new JoinDataComplete(new JoinData { JoinNumber = 301, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Output Audio Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM Chassis Input Set / Get
- ///
- [JoinName("OutputUsb")]
- public JoinDataComplete OutputUsb = new JoinDataComplete(new JoinData { JoinNumber = 501, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Output USB Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM Chassis Input Set / Get
- ///
- [JoinName("InputUsb")]
- public JoinDataComplete InputUsb = new JoinDataComplete(new JoinData { JoinNumber = 701, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Input Usb Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM Chassis Input HDCP Support State
- ///
- [JoinName("HdcpSupportState")]
- public JoinDataComplete HdcpSupportState = new JoinDataComplete(new JoinData { JoinNumber = 1001, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Input HDCP Support State", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM Chassis Input HDCP Support Capability
- ///
- [JoinName("HdcpSupportCapability")]
- public JoinDataComplete HdcpSupportCapability = new JoinDataComplete(new JoinData { JoinNumber = 1201, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Input HDCP Support Capability", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM Chassis Stream Input Start (1), Stop (2), Pause (3) with Feedback
- ///
- [JoinName("InputStreamCardState")]
- public JoinDataComplete InputStreamCardState = new JoinDataComplete(new JoinData { JoinNumber = 1501, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Stream Input Start (1), Stop (2), Pause (3) with Feedback", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM Chassis Stream Output Start (1), Stop (2), Pause (3) with Feedback
- ///
- [JoinName("OutputStreamCardState")]
- public JoinDataComplete OutputStreamCardState = new JoinDataComplete(new JoinData { JoinNumber = 1601, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Stream Output Start (1), Stop (2), Pause (3) with Feedback", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM Chassis No Route Name
- ///
- [JoinName("NoRouteName")]
- public JoinDataComplete NoRouteName = new JoinDataComplete(new JoinData { JoinNumber = 100, JoinSpan = 1 },
- new JoinMetadata { Description = "DM Chassis Input Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// DM Chassis Input Names
- ///
- [JoinName("InputNames")]
- public JoinDataComplete InputNames = new JoinDataComplete(new JoinData { JoinNumber = 101, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Input Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// DM Chassis Output Names
- ///
- [JoinName("OutputNames")]
- public JoinDataComplete OutputNames = new JoinDataComplete(new JoinData { JoinNumber = 301, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Output Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// DM Chassis Video Input Names
- ///
- [JoinName("InputVideoNames")] public JoinDataComplete InputVideoNames =
- new JoinDataComplete(new JoinData {JoinNumber = 501, JoinSpan = 200},
- new JoinMetadata
- {
- Description = "DM Chassis Video Input Names",
- JoinCapabilities = eJoinCapabilities.ToFromSIMPL,
- JoinType = eJoinType.Serial
- });
-
- ///
- /// DM Chassis Audio Input Names
- ///
- [JoinName("InputAudioNames")]
- public JoinDataComplete InputAudioNames =
- new JoinDataComplete(new JoinData { JoinNumber = 701, JoinSpan = 200 },
- new JoinMetadata
- {
- Description = "DM Chassis Audio Input Names",
- JoinCapabilities = eJoinCapabilities.ToFromSIMPL,
- JoinType = eJoinType.Serial
- });
-
- ///
- /// DM Chassis Video Output Names
- ///
- [JoinName("OutputVideoNames")]
- public JoinDataComplete OutputVideoNames =
- new JoinDataComplete(new JoinData { JoinNumber = 901, JoinSpan = 200 },
- new JoinMetadata
- {
- Description = "DM Chassis Video Output Names",
- JoinCapabilities = eJoinCapabilities.ToFromSIMPL,
- JoinType = eJoinType.Serial
- });
-
- ///
- /// DM Chassis Audio Output Names
- ///
- [JoinName("OutputAudioNames")]
- public JoinDataComplete OutputAudioNames =
- new JoinDataComplete(new JoinData { JoinNumber = 1101, JoinSpan = 200 },
- new JoinMetadata
- {
- Description = "DM Chassis Audio Output Names",
- JoinCapabilities = eJoinCapabilities.ToFromSIMPL,
- JoinType = eJoinType.Serial
- });
-
- ///
- /// DM Chassis Video Output Currently Routed Video Input Name
- ///
- [JoinName("OutputCurrentVideoInputNames")]
- public JoinDataComplete OutputCurrentVideoInputNames = new JoinDataComplete(new JoinData { JoinNumber = 2001, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Video Output Currently Routed Video Input Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// DM Chassis Audio Output Currently Routed Audio Input Name
- ///
- [JoinName("OutputCurrentAudioInputNames")]
- public JoinDataComplete OutputCurrentAudioInputNames = new JoinDataComplete(new JoinData { JoinNumber = 2201, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Audio Output Currently Routed Video Input Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// DM Chassis Input Current Resolution
- ///
- [JoinName("InputCurrentResolution")]
- public JoinDataComplete InputCurrentResolution = new JoinDataComplete(new JoinData { JoinNumber = 2401, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Input Current Resolution", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ }
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public DmChassisControllerJoinMap(uint joinStart)
- : this(joinStart, typeof(DmChassisControllerJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected DmChassisControllerJoinMap(uint joinStart, Type type) : base(joinStart, type)
- {
- }
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected DmChassisControllerJoinMap(uint joinStart, Type type) : base(joinStart, type)
+ {
}
}
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmRmcControllerJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmRmcControllerJoinMap.cs
index 6f0df102..4ddb9ff4 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmRmcControllerJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmRmcControllerJoinMap.cs
@@ -1,143 +1,91 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class DmRmcControllerJoinMap : JoinMapBaseAdvanced
{
+ [JoinName("IsOnline")]
+ public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM RMC Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("VideoMuteOn")]
+ public JoinDataComplete VideoMuteOn = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM RMC Mute Video", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("VideoMuteOff")]
+ public JoinDataComplete VideoMuteOff = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM RMC UnMute Video", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("VideoMuteToggle")]
+ public JoinDataComplete VideoMuteToggle = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM RMC Mute Video Toggle", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("CurrentOutputResolution")]
+ public JoinDataComplete CurrentOutputResolution = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM RMC Current Output Resolution", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("EdidManufacturer")]
+ public JoinDataComplete EdidManufacturer = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM RMC EDID Manufacturer", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("EdidName")]
+ public JoinDataComplete EdidName = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM RMC EDID Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("EdidPrefferedTiming")]
+ public JoinDataComplete EdidPrefferedTiming = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM RMC EDID Preferred Timing", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("EdidSerialNumber")]
+ public JoinDataComplete EdidSerialNumber = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM RMC EDID Serial Number", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("Name")]
+ public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM RMC Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("AudioVideoSource")]
+ public JoinDataComplete AudioVideoSource = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM RMC Audio Video Source Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("HdcpSupportCapability")]
+ public JoinDataComplete HdcpSupportCapability = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM RMC HDCP Support Capability", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("Port1HdcpState")]
+ public JoinDataComplete Port1HdcpState = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM RMC Port 1 (DM) HDCP State Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("Port2HdcpState")]
+ public JoinDataComplete Port2HdcpState = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM TX Port 2 (HDMI) HDCP State Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("HdmiInputSync")]
+ public JoinDataComplete HdmiInputSync = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM RMC HDMI Input Sync", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("HdcpInputPortCount")]
+ public JoinDataComplete HdcpInputPortCount = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
+ new JoinMetadata { Description = "Number of Input Ports that support HDCP", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+
+
///
- /// Represents a DmRmcControllerJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class DmRmcControllerJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public DmRmcControllerJoinMap(uint joinStart)
+ : this(joinStart, typeof(DmRmcControllerJoinMap))
{
- ///
- /// DM RMC Online
- ///
- [JoinName("IsOnline")]
- public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "DM RMC Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DM RMC Mute Video
- ///
- [JoinName("VideoMuteOn")]
- public JoinDataComplete VideoMuteOn = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "DM RMC Mute Video", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DM RMC UnMute Video
- ///
- [JoinName("VideoMuteOff")]
- public JoinDataComplete VideoMuteOff = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "DM RMC UnMute Video", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DM RMC Mute Video Toggle
- ///
- [JoinName("VideoMuteToggle")]
- public JoinDataComplete VideoMuteToggle = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
- new JoinMetadata { Description = "DM RMC Mute Video Toggle", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DM RMC Current Output Resolution
- ///
- [JoinName("CurrentOutputResolution")]
- public JoinDataComplete CurrentOutputResolution = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "DM RMC Current Output Resolution", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// DM RMC EDID Manufacturer
- ///
- [JoinName("EdidManufacturer")]
- public JoinDataComplete EdidManufacturer = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "DM RMC EDID Manufacturer", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// DM RMC EDID Name
- ///
- [JoinName("EdidName")]
- public JoinDataComplete EdidName = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "DM RMC EDID Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// DM RMC EDID Preferred Timing
- ///
- [JoinName("EdidPrefferedTiming")]
- public JoinDataComplete EdidPrefferedTiming = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "DM RMC EDID Preferred Timing", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// DM RMC EDID Serial Number
- ///
- [JoinName("EdidSerialNumber")]
- public JoinDataComplete EdidSerialNumber = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
- new JoinMetadata { Description = "DM RMC EDID Serial Number", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// DM RMC Name
- ///
- [JoinName("Name")]
- public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
- new JoinMetadata { Description = "DM RMC Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// DM RMC Audio Video Source Set / Get
- ///
- [JoinName("AudioVideoSource")]
- public JoinDataComplete AudioVideoSource = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "DM RMC Audio Video Source Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM RMC HDCP Support Capability
- ///
- [JoinName("HdcpSupportCapability")]
- public JoinDataComplete HdcpSupportCapability = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "DM RMC HDCP Support Capability", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM RMC Port 1 (DM) HDCP State Set / Get
- ///
- [JoinName("Port1HdcpState")]
- public JoinDataComplete Port1HdcpState = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "DM RMC Port 1 (DM) HDCP State Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM RMC Port 2 (HDMI) HDCP State Set / Get
- ///
- [JoinName("Port2HdcpState")]
- public JoinDataComplete Port2HdcpState = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "DM RMC Port 2 (HDMI) HDCP State Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM RMC HDMI Input Sync
- ///
- [JoinName("HdmiInputSync")]
- public JoinDataComplete HdmiInputSync = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "DM RMC HDMI Input Sync", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DM RMC Number of Input Ports that support HDCP
- ///
- [JoinName("HdcpInputPortCount")]
- public JoinDataComplete HdcpInputPortCount = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
- new JoinMetadata { Description = "Number of Input Ports that support HDCP", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+ }
-
-
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public DmRmcControllerJoinMap(uint joinStart)
- : this(joinStart, typeof(DmRmcControllerJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected DmRmcControllerJoinMap(uint joinStart, Type type)
- : base(joinStart, type)
- {
- }
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected DmRmcControllerJoinMap(uint joinStart, Type type)
+ : base(joinStart, type)
+ {
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmTxControllerJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmTxControllerJoinMap.cs
index ab1299d1..8fb99f33 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmTxControllerJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmTxControllerJoinMap.cs
@@ -1,150 +1,95 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class DmTxControllerJoinMap : JoinMapBaseAdvanced
{
+ [JoinName("IsOnline")]
+ public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM TX Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("VideoSyncStatus")]
+ public JoinDataComplete VideoSyncStatus = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM TX Video Sync", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("FreeRunEnabled")]
+ public JoinDataComplete FreeRunEnabled = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM TX Enable Free Run Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Input1VideoSyncStatus")]
+ public JoinDataComplete Input1VideoSyncStatus = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "Input 1 Video Sync Status", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Input2VideoSyncStatus")]
+ public JoinDataComplete Input2VideoSyncStatus = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
+ new JoinMetadata { Description = "Input 2 Video Sync Status", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Input3VideoSyncStatus")]
+ public JoinDataComplete Input3VideoSyncStatus = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
+ new JoinMetadata { Description = "Input 3 Video Sync Status", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("CurrentInputResolution")]
+ public JoinDataComplete CurrentInputResolution = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM TX Current Input Resolution", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("Name")]
+ public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM TX Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("VideoInput")]
+ public JoinDataComplete VideoInput = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM TX Video Input Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("AudioInput")]
+ public JoinDataComplete AudioInput = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM TX Audio Input Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("HdcpSupportCapability")]
+ public JoinDataComplete HdcpSupportCapability = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM TX HDCP Support Capability", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("Port1HdcpState")]
+ public JoinDataComplete Port1HdcpState = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM TX Port 1 HDCP State Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("Port2HdcpState")]
+ public JoinDataComplete Port2HdcpState = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM TX Port 2 HDCP State Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("VgaBrightness")]
+ public JoinDataComplete VgaBrightness = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM TX VGA Brightness", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("VgaContrast")]
+ public JoinDataComplete VgaContrast = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM TX Online", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("Port3HdcpState")]
+ public JoinDataComplete Port3HdcpState = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 },
+ new JoinMetadata { Description = "DM TX Port 3 HDCP State Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("HdcpInputPortCount")]
+ public JoinDataComplete HdcpInputPortCount = new JoinDataComplete(new JoinData { JoinNumber = 9, JoinSpan = 1 },
+ new JoinMetadata { Description = "Number of Input Ports that support HDCP", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+
+
///
- /// Represents a DmTxControllerJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class DmTxControllerJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public DmTxControllerJoinMap(uint joinStart)
+ : this(joinStart, typeof(DmTxControllerJoinMap))
{
- ///
- /// DM TX Online
- ///
- [JoinName("IsOnline")]
- public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "DM TX Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DM TX Video Sync
- ///
- [JoinName("VideoSyncStatus")]
- public JoinDataComplete VideoSyncStatus = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "DM TX Video Sync", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DM TX Enable Free Run Set / Get
- ///
- [JoinName("FreeRunEnabled")]
- public JoinDataComplete FreeRunEnabled = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "DM TX Enable Free Run Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Input 1 Video Sync Status
- ///
- [JoinName("Input1VideoSyncStatus")]
- public JoinDataComplete Input1VideoSyncStatus = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "Input 1 Video Sync Status", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Input 2 Video Sync Status
- ///
- [JoinName("Input2VideoSyncStatus")]
- public JoinDataComplete Input2VideoSyncStatus = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
- new JoinMetadata { Description = "Input 2 Video Sync Status", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Input 3 Video Sync Status
- ///
- [JoinName("Input3VideoSyncStatus")]
- public JoinDataComplete Input3VideoSyncStatus = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
- new JoinMetadata { Description = "Input 3 Video Sync Status", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DM TX Current Input Resolution
- ///
- [JoinName("CurrentInputResolution")]
- public JoinDataComplete CurrentInputResolution = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "DM TX Current Input Resolution", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// DM TX Name
- ///
- [JoinName("Name")]
- public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "DM TX Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// DM TX Video Input Set / Get
- ///
- [JoinName("VideoInput")]
- public JoinDataComplete VideoInput = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "DM TX Video Input Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM TX Audio Input Set / Get
- ///
- [JoinName("AudioInput")]
- public JoinDataComplete AudioInput = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "DM TX Audio Input Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM TX HDCP Support Capability
- ///
- [JoinName("HdcpSupportCapability")]
- public JoinDataComplete HdcpSupportCapability = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "DM TX HDCP Support Capability", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM TX Port 1 HDCP State Set / Get
- ///
- [JoinName("Port1HdcpState")]
- public JoinDataComplete Port1HdcpState = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "DM TX Port 1 HDCP State Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM TX Port 2 HDCP State Set / Get
- ///
- [JoinName("Port2HdcpState")]
- public JoinDataComplete Port2HdcpState = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
- new JoinMetadata { Description = "DM TX Port 2 HDCP State Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM TX VGA Brightness
- ///
- [JoinName("VgaBrightness")]
- public JoinDataComplete VgaBrightness = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
- new JoinMetadata { Description = "DM TX VGA Brightness", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM TX VGA Contrast
- ///
- [JoinName("VgaContrast")]
- public JoinDataComplete VgaContrast = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
- new JoinMetadata { Description = "DM TX Online", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM TX Port 3 HDCP State Set / Get
- ///
- [JoinName("Port3HdcpState")]
- public JoinDataComplete Port3HdcpState = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 },
- new JoinMetadata { Description = "DM TX Port 3 HDCP State Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM TX Number of Input Ports that support HDCP
- ///
- [JoinName("HdcpInputPortCount")]
- public JoinDataComplete HdcpInputPortCount = new JoinDataComplete(new JoinData { JoinNumber = 9, JoinSpan = 1 },
- new JoinMetadata { Description = "Number of Input Ports that support HDCP", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+ }
-
-
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public DmTxControllerJoinMap(uint joinStart)
- : this(joinStart, typeof(DmTxControllerJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected DmTxControllerJoinMap(uint joinStart, Type type)
- : base(joinStart, type)
- {
- }
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected DmTxControllerJoinMap(uint joinStart, Type type)
+ : base(joinStart, type)
+ {
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmpsAudioOutputControllerJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmpsAudioOutputControllerJoinMap.cs
index ca1d60b4..9ad04691 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmpsAudioOutputControllerJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmpsAudioOutputControllerJoinMap.cs
@@ -1,288 +1,173 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class DmpsAudioOutputControllerJoinMap : JoinMapBaseAdvanced
{
+
+ [JoinName("MasterVolumeLevel")]
+ public JoinDataComplete MasterVolumeLevel = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Master Volume Signed dB Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("MasterVolumeLevelScaled")]
+ public JoinDataComplete MasterVolumeLevelScaled = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Master Volume 16bit Scaled Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("MixerPresetRecall")]
+ public JoinDataComplete MixerPresetRecall = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "Mixer Preset Recall Set", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("MixerEqPresetRecall")]
+ public JoinDataComplete MixerEqPresetRecall = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "Mixer Eq Preset Recall Set", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("MasterVolumeMuteOn")]
+ public JoinDataComplete MasterVolumeMuteOn = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Master Volume Mute On Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("MasterVolumeMuteOff")]
+ public JoinDataComplete MasterVolumeMuteOff = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Master Volume Mute Off Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("MasterVolumeUp")]
+ public JoinDataComplete MasterVolumeUp = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "Master Volume Level Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("MasterVolumeDown")]
+ public JoinDataComplete MasterVolumeDown = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "Master Volume Level Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("MasterVolumeLevelScaledSend")]
+ public JoinDataComplete MasterVolumeLevelScaledSend = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
+ new JoinMetadata { Description = "Master Volume Scaled Send Enable/Disable", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("SourceVolumeLevel")]
+ public JoinDataComplete SourceVolumeLevel = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
+ new JoinMetadata { Description = "Source Volume Signed dB Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("SourceVolumeLevelScaled")]
+ public JoinDataComplete SourceVolumeLevelScaled = new JoinDataComplete(new JoinData { JoinNumber = 12, JoinSpan = 1 },
+ new JoinMetadata { Description = "Source Volume 16bit Scaled Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("SourceVolumeMuteOn")]
+ public JoinDataComplete SourceVolumeMuteOn = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
+ new JoinMetadata { Description = "Source Volume Mute On Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("SourceVolumeMuteOff")]
+ public JoinDataComplete SourceVolumeMuteOff = new JoinDataComplete(new JoinData { JoinNumber = 12, JoinSpan = 1 },
+ new JoinMetadata { Description = "Source Volume Mute Off Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("SourceVolumeUp")]
+ public JoinDataComplete SourceVolumeUp = new JoinDataComplete(new JoinData { JoinNumber = 13, JoinSpan = 1 },
+ new JoinMetadata { Description = "Source Volume Level Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("SourceVolumeDown")]
+ public JoinDataComplete SourceVolumeDown = new JoinDataComplete(new JoinData { JoinNumber = 14, JoinSpan = 1 },
+ new JoinMetadata { Description = "Source Volume Level Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("SourceVolumeLevelScaledSend")]
+ public JoinDataComplete SourceVolumeLevelScaledSend = new JoinDataComplete(new JoinData { JoinNumber = 15, JoinSpan = 1 },
+ new JoinMetadata { Description = "Source Volume Scaled Send Enable/Disable", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Codec1VolumeLevel")]
+ public JoinDataComplete Codec1VolumeLevel = new JoinDataComplete(new JoinData { JoinNumber = 21, JoinSpan = 1 },
+ new JoinMetadata { Description = "Codec1 Volume Signed dB Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("Codec1VolumeLevelScaled")]
+ public JoinDataComplete Codec1VolumeLevelScaled = new JoinDataComplete(new JoinData { JoinNumber = 22, JoinSpan = 1 },
+ new JoinMetadata { Description = "Codec1 Volume 16bit Scaled Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("Codec1VolumeMuteOn")]
+ public JoinDataComplete Codec1VolumeMuteOn = new JoinDataComplete(new JoinData { JoinNumber = 21, JoinSpan = 1 },
+ new JoinMetadata { Description = "Codec1 Volume Mute On Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Codec1VolumeMuteOff")]
+ public JoinDataComplete Codec1VolumeMuteOff = new JoinDataComplete(new JoinData { JoinNumber = 22, JoinSpan = 1 },
+ new JoinMetadata { Description = "Codec1 Volume Mute Off Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Codec1VolumeUp")]
+ public JoinDataComplete Codec1VolumeUp = new JoinDataComplete(new JoinData { JoinNumber = 23, JoinSpan = 1 },
+ new JoinMetadata { Description = "Codec1 Volume Level Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Codec1VolumeDown")]
+ public JoinDataComplete Codec1VolumeDown = new JoinDataComplete(new JoinData { JoinNumber = 24, JoinSpan = 1 },
+ new JoinMetadata { Description = "Codec1 Volume Level Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Codec1VolumeLevelScaledSend")]
+ public JoinDataComplete Codec1VolumeLevelScaledSend = new JoinDataComplete(new JoinData { JoinNumber = 25, JoinSpan = 1 },
+ new JoinMetadata { Description = "Codec1 Volume Scaled Send Enable/Disable", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Codec2VolumeLevel")]
+ public JoinDataComplete Codec2VolumeLevel = new JoinDataComplete(new JoinData { JoinNumber = 31, JoinSpan = 1 },
+ new JoinMetadata { Description = "Codec2 Volume Signed dB Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("Codec2VolumeLevelScaled")]
+ public JoinDataComplete Codec2VolumeLevelScaled = new JoinDataComplete(new JoinData { JoinNumber = 32, JoinSpan = 1 },
+ new JoinMetadata { Description = "Codec2 Volume 16bit Scaled Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("Codec2VolumeMuteOn")]
+ public JoinDataComplete Codec2VolumeMuteOn = new JoinDataComplete(new JoinData { JoinNumber = 31, JoinSpan = 1 },
+ new JoinMetadata { Description = "Codec2 Volume Mute On Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Codec2VolumeMuteOff")]
+ public JoinDataComplete Codec2VolumeMuteOff = new JoinDataComplete(new JoinData { JoinNumber = 32, JoinSpan = 1 },
+ new JoinMetadata { Description = "Codec2 Volume Mute Off Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Codec2VolumeUp")]
+ public JoinDataComplete Codec2VolumeUp = new JoinDataComplete(new JoinData { JoinNumber = 33, JoinSpan = 1 },
+ new JoinMetadata { Description = "Codec2 Volume Level Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Codec2VolumeDown")]
+ public JoinDataComplete Codec2VolumeDown = new JoinDataComplete(new JoinData { JoinNumber = 34, JoinSpan = 1 },
+ new JoinMetadata { Description = "Codec2 Volume Level Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Codec2VolumeLevelScaledSend")]
+ public JoinDataComplete Codec2VolumeLevelScaledSend = new JoinDataComplete(new JoinData { JoinNumber = 35, JoinSpan = 1 },
+ new JoinMetadata { Description = "Codec2 Volume Scaled Send Enable/Disable", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("MicsMasterVolumeLevel")]
+ public JoinDataComplete MicsMasterVolumeLevel = new JoinDataComplete(new JoinData { JoinNumber = 41, JoinSpan = 1 },
+ new JoinMetadata { Description = "MicsMaster Volume Signed dB Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("MicsMasterVolumeLevelScaled")]
+ public JoinDataComplete MicsMasterVolumeLevelScaled = new JoinDataComplete(new JoinData { JoinNumber = 42, JoinSpan = 1 },
+ new JoinMetadata { Description = "MicsMaster Volume 16bit Scaled Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("MicsMasterVolumeMuteOn")]
+ public JoinDataComplete MicsMasterVolumeMuteOn = new JoinDataComplete(new JoinData { JoinNumber = 41, JoinSpan = 1 },
+ new JoinMetadata { Description = "MicsMaster Volume Mute On Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("MicsMasterVolumeMuteOff")]
+ public JoinDataComplete MicsMasterVolumeMuteOff = new JoinDataComplete(new JoinData { JoinNumber = 42, JoinSpan = 1 },
+ new JoinMetadata { Description = "MicsMaster Volume Mute Off Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("MicsMasterVolumeUp")]
+ public JoinDataComplete MicsMasterVolumeUp = new JoinDataComplete(new JoinData { JoinNumber = 43, JoinSpan = 1 },
+ new JoinMetadata { Description = "MicsMaster Volume Level Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("MicsMasterVolumeDown")]
+ public JoinDataComplete MicsMasterVolumeDown = new JoinDataComplete(new JoinData { JoinNumber = 44, JoinSpan = 1 },
+ new JoinMetadata { Description = "MicsMaster Volume Level Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("MicsMasterVolumeLevelScaledSend")]
+ public JoinDataComplete MicsMasterVolumeLevelScaledSend = new JoinDataComplete(new JoinData { JoinNumber = 45, JoinSpan = 1 },
+ new JoinMetadata { Description = "Mics Master Volume Scaled Send Enable/Disable", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
///
- /// Represents a DmpsAudioOutputControllerJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class DmpsAudioOutputControllerJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public DmpsAudioOutputControllerJoinMap(uint joinStart)
+ : this(joinStart, typeof(DmpsAudioOutputControllerJoinMap))
{
+ }
- ///
- /// Master Volume Level Signed dB Set / Get
- ///
- [JoinName("MasterVolumeLevel")]
- public JoinDataComplete MasterVolumeLevel = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Master Volume Signed dB Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Master Volume 16bit Scaled Set / Get
- ///
- [JoinName("MasterVolumeLevelScaled")]
- public JoinDataComplete MasterVolumeLevelScaled = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Master Volume 16bit Scaled Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Mixer Preset Recall Set
- ///
- [JoinName("MixerPresetRecall")]
- public JoinDataComplete MixerPresetRecall = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "Mixer Preset Recall Set", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Mixer Eq Preset Recall Set
- ///
- [JoinName("MixerEqPresetRecall")]
- public JoinDataComplete MixerEqPresetRecall = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "Mixer Eq Preset Recall Set", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Master Volume Mute On Set / Get
- ///
- [JoinName("MasterVolumeMuteOn")]
- public JoinDataComplete MasterVolumeMuteOn = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Master Volume Mute On Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Master Volume Mute Off Set / Get
- ///
- [JoinName("MasterVolumeMuteOff")]
- public JoinDataComplete MasterVolumeMuteOff = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Master Volume Mute Off Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Master Volume Level Up
- ///
- [JoinName("MasterVolumeUp")]
- public JoinDataComplete MasterVolumeUp = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "Master Volume Level Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Master Volume Level Down
- ///
- [JoinName("MasterVolumeDown")]
- public JoinDataComplete MasterVolumeDown = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "Master Volume Level Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Master Volume Scaled Send Enable/Disable
- ///
- [JoinName("MasterVolumeLevelScaledSend")]
- public JoinDataComplete MasterVolumeLevelScaledSend = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
- new JoinMetadata { Description = "Master Volume Scaled Send Enable/Disable", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Source Volume Signed dB Set / Get
- ///
- [JoinName("SourceVolumeLevel")]
- public JoinDataComplete SourceVolumeLevel = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
- new JoinMetadata { Description = "Source Volume Signed dB Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Source Volume 16bit Scaled Set / Get
- ///
- [JoinName("SourceVolumeLevelScaled")]
- public JoinDataComplete SourceVolumeLevelScaled = new JoinDataComplete(new JoinData { JoinNumber = 12, JoinSpan = 1 },
- new JoinMetadata { Description = "Source Volume 16bit Scaled Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Source Volume Mute On Set / Get
- ///
- [JoinName("SourceVolumeMuteOn")]
- public JoinDataComplete SourceVolumeMuteOn = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
- new JoinMetadata { Description = "Source Volume Mute On Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Source Volume Mute Off Set / Get
- ///
- [JoinName("SourceVolumeMuteOff")]
- public JoinDataComplete SourceVolumeMuteOff = new JoinDataComplete(new JoinData { JoinNumber = 12, JoinSpan = 1 },
- new JoinMetadata { Description = "Source Volume Mute Off Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Source Volume Level Up
- ///
- [JoinName("SourceVolumeUp")]
- public JoinDataComplete SourceVolumeUp = new JoinDataComplete(new JoinData { JoinNumber = 13, JoinSpan = 1 },
- new JoinMetadata { Description = "Source Volume Level Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Source Volume Level Down
- ///
- [JoinName("SourceVolumeDown")]
- public JoinDataComplete SourceVolumeDown = new JoinDataComplete(new JoinData { JoinNumber = 14, JoinSpan = 1 },
- new JoinMetadata { Description = "Source Volume Level Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Source Volume Scaled Send Enable/Disable
- ///
- [JoinName("SourceVolumeLevelScaledSend")]
- public JoinDataComplete SourceVolumeLevelScaledSend = new JoinDataComplete(new JoinData { JoinNumber = 15, JoinSpan = 1 },
- new JoinMetadata { Description = "Source Volume Scaled Send Enable/Disable", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Codec1 Volume Signed dB Set / Get
- ///
- [JoinName("Codec1VolumeLevel")]
- public JoinDataComplete Codec1VolumeLevel = new JoinDataComplete(new JoinData { JoinNumber = 21, JoinSpan = 1 },
- new JoinMetadata { Description = "Codec1 Volume Signed dB Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Codec1 Volume 16bit Scaled Set / Get
- ///
- [JoinName("Codec1VolumeLevelScaled")]
- public JoinDataComplete Codec1VolumeLevelScaled = new JoinDataComplete(new JoinData { JoinNumber = 22, JoinSpan = 1 },
- new JoinMetadata { Description = "Codec1 Volume 16bit Scaled Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Codec1 Volume Mute On Set / Get
- ///
- [JoinName("Codec1VolumeMuteOn")]
- public JoinDataComplete Codec1VolumeMuteOn = new JoinDataComplete(new JoinData { JoinNumber = 21, JoinSpan = 1 },
- new JoinMetadata { Description = "Codec1 Volume Mute On Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Codec1 Volume Mute Off Set / Get
- ///
- [JoinName("Codec1VolumeMuteOff")]
- public JoinDataComplete Codec1VolumeMuteOff = new JoinDataComplete(new JoinData { JoinNumber = 22, JoinSpan = 1 },
- new JoinMetadata { Description = "Codec1 Volume Mute Off Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Codec1 Volume Level Up
- ///
- [JoinName("Codec1VolumeUp")]
- public JoinDataComplete Codec1VolumeUp = new JoinDataComplete(new JoinData { JoinNumber = 23, JoinSpan = 1 },
- new JoinMetadata { Description = "Codec1 Volume Level Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Codec1 Volume Level Down
- ///
- [JoinName("Codec1VolumeDown")]
- public JoinDataComplete Codec1VolumeDown = new JoinDataComplete(new JoinData { JoinNumber = 24, JoinSpan = 1 },
- new JoinMetadata { Description = "Codec1 Volume Level Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Codec1 Volume Scaled Send Enable/Disable
- ///
- [JoinName("Codec1VolumeLevelScaledSend")]
- public JoinDataComplete Codec1VolumeLevelScaledSend = new JoinDataComplete(new JoinData { JoinNumber = 25, JoinSpan = 1 },
- new JoinMetadata { Description = "Codec1 Volume Scaled Send Enable/Disable", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Codec2 Volume Signed dB Set / Get
- ///
- [JoinName("Codec2VolumeLevel")]
- public JoinDataComplete Codec2VolumeLevel = new JoinDataComplete(new JoinData { JoinNumber = 31, JoinSpan = 1 },
- new JoinMetadata { Description = "Codec2 Volume Signed dB Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Codec2 Volume 16bit Scaled Set / Get
- ///
- [JoinName("Codec2VolumeLevelScaled")]
- public JoinDataComplete Codec2VolumeLevelScaled = new JoinDataComplete(new JoinData { JoinNumber = 32, JoinSpan = 1 },
- new JoinMetadata { Description = "Codec2 Volume 16bit Scaled Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Codec2 Volume Mute On Set / Get
- ///
- [JoinName("Codec2VolumeMuteOn")]
- public JoinDataComplete Codec2VolumeMuteOn = new JoinDataComplete(new JoinData { JoinNumber = 31, JoinSpan = 1 },
- new JoinMetadata { Description = "Codec2 Volume Mute On Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Codec2 Volume Mute Off Set / Get
- ///
- [JoinName("Codec2VolumeMuteOff")]
- public JoinDataComplete Codec2VolumeMuteOff = new JoinDataComplete(new JoinData { JoinNumber = 32, JoinSpan = 1 },
- new JoinMetadata { Description = "Codec2 Volume Mute Off Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Codec2 Volume Level Up
- ///
- [JoinName("Codec2VolumeUp")]
- public JoinDataComplete Codec2VolumeUp = new JoinDataComplete(new JoinData { JoinNumber = 33, JoinSpan = 1 },
- new JoinMetadata { Description = "Codec2 Volume Level Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Codec2 Volume Level Down
- ///
- [JoinName("Codec2VolumeDown")]
- public JoinDataComplete Codec2VolumeDown = new JoinDataComplete(new JoinData { JoinNumber = 34, JoinSpan = 1 },
- new JoinMetadata { Description = "Codec2 Volume Level Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Codec2 Volume Scaled Send Enable/Disable
- ///
- [JoinName("Codec2VolumeLevelScaledSend")]
- public JoinDataComplete Codec2VolumeLevelScaledSend = new JoinDataComplete(new JoinData { JoinNumber = 35, JoinSpan = 1 },
- new JoinMetadata { Description = "Codec2 Volume Scaled Send Enable/Disable", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// MicsMaster Volume Signed dB Set / Get
- ///
- [JoinName("MicsMasterVolumeLevel")]
- public JoinDataComplete MicsMasterVolumeLevel = new JoinDataComplete(new JoinData { JoinNumber = 41, JoinSpan = 1 },
- new JoinMetadata { Description = "MicsMaster Volume Signed dB Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// MicsMaster Volume 16bit Scaled Set / Get
- ///
- [JoinName("MicsMasterVolumeLevelScaled")]
- public JoinDataComplete MicsMasterVolumeLevelScaled = new JoinDataComplete(new JoinData { JoinNumber = 42, JoinSpan = 1 },
- new JoinMetadata { Description = "MicsMaster Volume 16bit Scaled Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// MicsMaster Volume Mute On Set / Get
- ///
- [JoinName("MicsMasterVolumeMuteOn")]
- public JoinDataComplete MicsMasterVolumeMuteOn = new JoinDataComplete(new JoinData { JoinNumber = 41, JoinSpan = 1 },
- new JoinMetadata { Description = "MicsMaster Volume Mute On Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// MicsMaster Volume Mute Off Set / Get
- ///
- [JoinName("MicsMasterVolumeMuteOff")]
- public JoinDataComplete MicsMasterVolumeMuteOff = new JoinDataComplete(new JoinData { JoinNumber = 42, JoinSpan = 1 },
- new JoinMetadata { Description = "MicsMaster Volume Mute Off Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// MicsMaster Volume Level Up
- ///
- [JoinName("MicsMasterVolumeUp")]
- public JoinDataComplete MicsMasterVolumeUp = new JoinDataComplete(new JoinData { JoinNumber = 43, JoinSpan = 1 },
- new JoinMetadata { Description = "MicsMaster Volume Level Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// MicsMaster Volume Level Down
- ///
- [JoinName("MicsMasterVolumeDown")]
- public JoinDataComplete MicsMasterVolumeDown = new JoinDataComplete(new JoinData { JoinNumber = 44, JoinSpan = 1 },
- new JoinMetadata { Description = "MicsMaster Volume Level Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// MicsMaster Volume Scaled Send Enable/Disable
- ///
- [JoinName("MicsMasterVolumeLevelScaledSend")]
- public JoinDataComplete MicsMasterVolumeLevelScaledSend = new JoinDataComplete(new JoinData { JoinNumber = 45, JoinSpan = 1 },
- new JoinMetadata { Description = "Mics Master Volume Scaled Send Enable/Disable", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public DmpsAudioOutputControllerJoinMap(uint joinStart)
- : this(joinStart, typeof(DmpsAudioOutputControllerJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected DmpsAudioOutputControllerJoinMap(uint joinStart, Type type) : base(joinStart, type)
- {
- }
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected DmpsAudioOutputControllerJoinMap(uint joinStart, Type type) : base(joinStart, type)
+ {
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmpsMicrophoneControllerJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmpsMicrophoneControllerJoinMap.cs
index 3fba12e5..90efc964 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmpsMicrophoneControllerJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmpsMicrophoneControllerJoinMap.cs
@@ -1,72 +1,49 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class DmpsMicrophoneControllerJoinMap : JoinMapBaseAdvanced
{
+ [JoinName("MicGain")]
+ public JoinDataComplete MicGain = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Mic Gain dB Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("MicGainScaled")]
+ public JoinDataComplete MicGainScaled = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Mic Gain 16bit Scaled Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("MicMuteOn")]
+ public JoinDataComplete MicMuteOn = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Mic Mute On Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("MicMuteOff")]
+ public JoinDataComplete MicMuteOff = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Mic Mute Off Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("MicGainScaledSend")]
+ public JoinDataComplete MicGainScaledSend = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "Mic Gain Scaled Send Enable/Disable", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("MicName")]
+ public JoinDataComplete MicName = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Mic Name Get", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
///
- /// Represents a DmpsMicrophoneControllerJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class DmpsMicrophoneControllerJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public DmpsMicrophoneControllerJoinMap(uint joinStart)
+ : this(joinStart, typeof(DmpsMicrophoneControllerJoinMap))
{
+ }
- ///
- /// Mic Gain dB Set / Get
- ///
- [JoinName("MicGain")]
- public JoinDataComplete MicGain = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Mic Gain dB Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Mic Gain 16bit Scaled Set / Get
- ///
- [JoinName("MicGainScaled")]
- public JoinDataComplete MicGainScaled = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Mic Gain 16bit Scaled Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Mic Mute On Set / Get
- ///
- [JoinName("MicMuteOn")]
- public JoinDataComplete MicMuteOn = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Mic Mute On Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Mic Mute Off Set / Get
- ///
- [JoinName("MicMuteOff")]
- public JoinDataComplete MicMuteOff = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Mic Mute Off Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Mic Gain Scaled Send Enable/Disable
- ///
- [JoinName("MicGainScaledSend")]
- public JoinDataComplete MicGainScaledSend = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "Mic Gain Scaled Send Enable/Disable", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Mic Name Get
- ///
- [JoinName("MicName")]
- public JoinDataComplete MicName = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Mic Name Get", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public DmpsMicrophoneControllerJoinMap(uint joinStart)
- : this(joinStart, typeof(DmpsMicrophoneControllerJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected DmpsMicrophoneControllerJoinMap(uint joinStart, Type type)
- : base(joinStart, type)
- {
- }
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected DmpsMicrophoneControllerJoinMap(uint joinStart, Type type)
+ : base(joinStart, type)
+ {
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmpsRoutingControllerJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmpsRoutingControllerJoinMap.cs
index 8e9a3e97..e39e38c6 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmpsRoutingControllerJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/DmpsRoutingControllerJoinMap.cs
@@ -1,185 +1,122 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class DmpsRoutingControllerJoinMap : JoinMapBaseAdvanced
{
+ [JoinName("EnableRouting")]
+ public JoinDataComplete EnableRouting = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "DMPS Enable Audio and Video Routing", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("SystemPowerOn")]
+ public JoinDataComplete SystemPowerOn = new JoinDataComplete(new JoinData { JoinNumber = 12, JoinSpan = 1 },
+ new JoinMetadata { Description = "DMPS System Power On Get/Set", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("SystemPowerOff")]
+ public JoinDataComplete SystemPowerOff = new JoinDataComplete(new JoinData { JoinNumber = 13, JoinSpan = 1 },
+ new JoinMetadata { Description = "DMPS System Power Off Get/Set", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("FrontPanelLockOn")]
+ public JoinDataComplete FrontPanelLockOn = new JoinDataComplete(new JoinData { JoinNumber = 14, JoinSpan = 1 },
+ new JoinMetadata { Description = "DMPS Front Panel Lock On Get/Set", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("FrontPanelLockOff")]
+ public JoinDataComplete FrontPanelLockOff = new JoinDataComplete(new JoinData { JoinNumber = 15, JoinSpan = 1 },
+ new JoinMetadata { Description = "DMPS Front Panel Lock Off Get/Set", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("VideoSyncStatus")]
+ public JoinDataComplete VideoSyncStatus = new JoinDataComplete(new JoinData { JoinNumber = 101, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Input Video Sync", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("InputEndpointOnline")]
+ public JoinDataComplete InputEndpointOnline = new JoinDataComplete(new JoinData { JoinNumber = 501, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Input Endpoint Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("OutputEndpointOnline")]
+ public JoinDataComplete OutputEndpointOnline = new JoinDataComplete(new JoinData { JoinNumber = 701, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Output Endpoint Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("OutputVideo")]
+ public JoinDataComplete OutputVideo = new JoinDataComplete(new JoinData { JoinNumber = 101, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Output Video Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("OutputAudio")]
+ public JoinDataComplete OutputAudio = new JoinDataComplete(new JoinData { JoinNumber = 301, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Output Audio Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("InputNames")]
+ public JoinDataComplete InputNames = new JoinDataComplete(new JoinData { JoinNumber = 101, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Input Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("OutputNames")]
+ public JoinDataComplete OutputNames = new JoinDataComplete(new JoinData { JoinNumber = 301, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Output Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("InputVideoNames")]
+ public JoinDataComplete InputVideoNames =
+ new JoinDataComplete(new JoinData { JoinNumber = 501, JoinSpan = 32 },
+ new JoinMetadata
+ {
+ Description = "Video Input Name",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Serial
+ });
+
+ [JoinName("InputAudioNames")]
+ public JoinDataComplete InputAudioNames =
+ new JoinDataComplete(new JoinData { JoinNumber = 701, JoinSpan = 32 },
+ new JoinMetadata
+ {
+ Description = "Audio Input Name",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Serial
+ });
+ [JoinName("OutputVideoNames")]
+ public JoinDataComplete OutputVideoNames =
+ new JoinDataComplete(new JoinData { JoinNumber = 901, JoinSpan = 32 },
+ new JoinMetadata
+ {
+ Description = "Video Output Name",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Serial
+ });
+ [JoinName("OutputAudioNames")]
+ public JoinDataComplete OutputAudioNames =
+ new JoinDataComplete(new JoinData { JoinNumber = 1101, JoinSpan = 32 },
+ new JoinMetadata
+ {
+ Description = "Audio Output Name",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Serial
+ });
+
+ [JoinName("OutputCurrentVideoInputNames")]
+ public JoinDataComplete OutputCurrentVideoInputNames = new JoinDataComplete(new JoinData { JoinNumber = 2001, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Video Output Currently Routed Video Input Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("OutputCurrentAudioInputNames")]
+ public JoinDataComplete OutputCurrentAudioInputNames = new JoinDataComplete(new JoinData { JoinNumber = 2201, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Audio Output Currently Routed Video Input Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("InputCurrentResolution")]
+ public JoinDataComplete InputCurrentResolution = new JoinDataComplete(new JoinData { JoinNumber = 2401, JoinSpan = 32 },
+ new JoinMetadata { Description = "DM Chassis Input Current Resolution", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
///
- /// Represents a DmpsRoutingControllerJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class DmpsRoutingControllerJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public DmpsRoutingControllerJoinMap(uint joinStart)
+ : this(joinStart, typeof(DmpsRoutingControllerJoinMap))
{
- ///
- /// DMPS Enable Audio and Video Routing
- ///
- [JoinName("EnableRouting")]
- public JoinDataComplete EnableRouting = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "DMPS Enable Audio and Video Routing", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DMPS Disable Audio and Video Routing
- ///
- [JoinName("SystemPowerOn")]
- public JoinDataComplete SystemPowerOn = new JoinDataComplete(new JoinData { JoinNumber = 12, JoinSpan = 1 },
- new JoinMetadata { Description = "DMPS System Power On Get/Set", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DMPS Disable Audio and Video Routing
- ///
- [JoinName("SystemPowerOff")]
- public JoinDataComplete SystemPowerOff = new JoinDataComplete(new JoinData { JoinNumber = 13, JoinSpan = 1 },
- new JoinMetadata { Description = "DMPS System Power Off Get/Set", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DMPS Front Panel Lock On Get/Set
- ///
- [JoinName("FrontPanelLockOn")]
- public JoinDataComplete FrontPanelLockOn = new JoinDataComplete(new JoinData { JoinNumber = 14, JoinSpan = 1 },
- new JoinMetadata { Description = "DMPS Front Panel Lock On Get/Set", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DMPS Front Panel Lock Off Get/Set
- ///
- [JoinName("FrontPanelLockOff")]
- public JoinDataComplete FrontPanelLockOff = new JoinDataComplete(new JoinData { JoinNumber = 15, JoinSpan = 1 },
- new JoinMetadata { Description = "DMPS Front Panel Lock Off Get/Set", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DM Input Video Sync
- ///
- [JoinName("VideoSyncStatus")]
- public JoinDataComplete VideoSyncStatus = new JoinDataComplete(new JoinData { JoinNumber = 101, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Input Video Sync", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DM Chassis Input Endpoint Online
- ///
- [JoinName("InputEndpointOnline")]
- public JoinDataComplete InputEndpointOnline = new JoinDataComplete(new JoinData { JoinNumber = 501, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Input Endpoint Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DM Chassis Output Endpoint Online
- ///
- [JoinName("OutputEndpointOnline")]
- public JoinDataComplete OutputEndpointOnline = new JoinDataComplete(new JoinData { JoinNumber = 701, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Output Endpoint Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DM Chassis Input Video Set / Get
- ///
- [JoinName("OutputVideo")]
- public JoinDataComplete OutputVideo = new JoinDataComplete(new JoinData { JoinNumber = 101, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Output Video Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM Chassis Input Audio Set / Get
- ///
- [JoinName("OutputAudio")]
- public JoinDataComplete OutputAudio = new JoinDataComplete(new JoinData { JoinNumber = 301, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Output Audio Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// DM Chassis Input Name
- ///
- [JoinName("InputNames")]
- public JoinDataComplete InputNames = new JoinDataComplete(new JoinData { JoinNumber = 101, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Input Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// DM Chassis Output Name
- ///
- [JoinName("OutputNames")]
- public JoinDataComplete OutputNames = new JoinDataComplete(new JoinData { JoinNumber = 301, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Output Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// DM Chassis Video Input Name
- ///
- [JoinName("InputVideoNames")]
- public JoinDataComplete InputVideoNames =
- new JoinDataComplete(new JoinData { JoinNumber = 501, JoinSpan = 32 },
- new JoinMetadata
- {
- Description = "DM Chassis Video Input Name",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Serial
- });
-
- ///
- /// DM Chassis Audio Input Name
- ///
- [JoinName("InputAudioNames")]
- public JoinDataComplete InputAudioNames =
- new JoinDataComplete(new JoinData { JoinNumber = 701, JoinSpan = 32 },
- new JoinMetadata
- {
- Description = "Audio Input Name",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Serial
- });
-
- ///
- /// DM Chassis Video Output Name
- ///
- [JoinName("OutputVideoNames")]
- public JoinDataComplete OutputVideoNames =
- new JoinDataComplete(new JoinData { JoinNumber = 901, JoinSpan = 32 },
- new JoinMetadata
- {
- Description = "Video Output Name",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Serial
- });
-
- ///
- /// DM Chassis Audio Output Name
- ///
- [JoinName("OutputAudioNames")]
- public JoinDataComplete OutputAudioNames =
- new JoinDataComplete(new JoinData { JoinNumber = 1101, JoinSpan = 32 },
- new JoinMetadata
- {
- Description = "Audio Output Name",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Serial
- });
-
- ///
- /// DM Chassis Video Output Currently Routed Video Input Name
- ///
- [JoinName("OutputCurrentVideoInputNames")]
- public JoinDataComplete OutputCurrentVideoInputNames = new JoinDataComplete(new JoinData { JoinNumber = 2001, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Video Output Currently Routed Video Input Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// DM Chassis Audio Output Currently Routed Video Input Name
- ///
- [JoinName("OutputCurrentAudioInputNames")]
- public JoinDataComplete OutputCurrentAudioInputNames = new JoinDataComplete(new JoinData { JoinNumber = 2201, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Audio Output Currently Routed Video Input Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// DM Chassis Input Current Resolution
- ///
- [JoinName("InputCurrentResolution")]
- public JoinDataComplete InputCurrentResolution = new JoinDataComplete(new JoinData { JoinNumber = 2401, JoinSpan = 32 },
- new JoinMetadata { Description = "DM Chassis Input Current Resolution", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ }
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public DmpsRoutingControllerJoinMap(uint joinStart)
- : this(joinStart, typeof(DmpsRoutingControllerJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected DmpsRoutingControllerJoinMap(uint joinStart, Type type) : base(joinStart, type)
- {
- }
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected DmpsRoutingControllerJoinMap(uint joinStart, Type type) : base(joinStart, type)
+ {
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/GenericIrControllerJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/GenericIrControllerJoinMap.cs
index 57977737..00087187 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/GenericIrControllerJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/GenericIrControllerJoinMap.cs
@@ -1,10 +1,7 @@
using PepperDash.Essentials.Core;
-namespace PepperDash.Essentials.Core.Bridges.JoinMaps
-{
- ///
- /// Represents a GenericIrControllerJoinMap
- ///
+namespace PepperDash.Essentials.Core.Bridges.JoinMaps;
+
public sealed class GenericIrControllerJoinMap : JoinMapBaseAdvanced
{
///
@@ -995,5 +992,4 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
: base(joinStart, typeof(GenericIrControllerJoinMap))
{
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/GenericLightingJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/GenericLightingJoinMap.cs
index 2b684d9f..179b4124 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/GenericLightingJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/GenericLightingJoinMap.cs
@@ -1,67 +1,48 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class GenericLightingJoinMap : JoinMapBaseAdvanced
{
+
+ [JoinName("IsOnline")]
+ public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Lighting Controller Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("SelectScene")]
+ public JoinDataComplete SelectScene = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Lighting Controller Select Scene By Index", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("SelectSceneDirect")]
+ public JoinDataComplete SelectSceneDirect = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 10 },
+ new JoinMetadata { Description = "Lighting Controller Select Scene", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.DigitalSerial });
+
+ [JoinName("ButtonVisibility")]
+ public JoinDataComplete ButtonVisibility = new JoinDataComplete(new JoinData { JoinNumber = 41, JoinSpan = 10 },
+ new JoinMetadata { Description = "Lighting Controller Button Visibility", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("IntegrationIdSet")]
+ public JoinDataComplete IntegrationIdSet = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Lighting Controller Set Integration Id", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Serial });
+
+
+
///
- /// Represents a GenericLightingJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class GenericLightingJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public GenericLightingJoinMap(uint joinStart)
+ : this(joinStart, typeof(GenericLightingJoinMap))
{
+ }
- ///
- /// Lighting Controller Online
- ///
- [JoinName("IsOnline")]
- public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Lighting Controller Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Select Scene By Index
- ///
- [JoinName("SelectScene")]
- public JoinDataComplete SelectScene = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Lighting Controller Select Scene By Index", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Select Scene Direct
- ///
- [JoinName("SelectSceneDirect")]
- public JoinDataComplete SelectSceneDirect = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 10 },
- new JoinMetadata { Description = "Lighting Controller Select Scene", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.DigitalSerial });
-
- ///
- /// Button Visibility
- ///
- [JoinName("ButtonVisibility")]
- public JoinDataComplete ButtonVisibility = new JoinDataComplete(new JoinData { JoinNumber = 41, JoinSpan = 10 },
- new JoinMetadata { Description = "Lighting Controller Button Visibility", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Set Integration Id
- ///
- [JoinName("IntegrationIdSet")]
- public JoinDataComplete IntegrationIdSet = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Lighting Controller Set Integration Id", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Serial });
-
-
-
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public GenericLightingJoinMap(uint joinStart)
- : this(joinStart, typeof(GenericLightingJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected GenericLightingJoinMap(uint joinStart, Type type) : base(joinStart, type)
- {
- }
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected GenericLightingJoinMap(uint joinStart, Type type) : base(joinStart, type)
+ {
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/GenericRelayControllerJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/GenericRelayControllerJoinMap.cs
index 470dc4e1..03aaf041 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/GenericRelayControllerJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/GenericRelayControllerJoinMap.cs
@@ -1,37 +1,30 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class GenericRelayControllerJoinMap : JoinMapBaseAdvanced
{
+
+ [JoinName("Relay")]
+ public JoinDataComplete Relay = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Device Relay State Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
///
- /// Represents a GenericRelayControllerJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class GenericRelayControllerJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public GenericRelayControllerJoinMap(uint joinStart)
+ : this(joinStart, typeof(GenericRelayControllerJoinMap))
{
+ }
- ///
- /// Device Relay State Set / Get
- ///
- [JoinName("Relay")]
- public JoinDataComplete Relay = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Device Relay State Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public GenericRelayControllerJoinMap(uint joinStart)
- : this(joinStart, typeof(GenericRelayControllerJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected GenericRelayControllerJoinMap(uint joinStart, Type type) : base(joinStart, type)
- {
-
- }
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected GenericRelayControllerJoinMap(uint joinStart, Type type) : base(joinStart, type)
+ {
+
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/GlsOccupancySensorBaseJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/GlsOccupancySensorBaseJoinMap.cs
index 23341e7e..228cb4f0 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/GlsOccupancySensorBaseJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/GlsOccupancySensorBaseJoinMap.cs
@@ -1,304 +1,184 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class GlsOccupancySensorBaseJoinMap : JoinMapBaseAdvanced
{
+ [JoinName("IsOnline")]
+ public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Is Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("ForceOccupied")]
+ public JoinDataComplete ForceOccupied = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Set to Occupied", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("ForceVacant")]
+ public JoinDataComplete ForceVacant = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Set to Vacant", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("EnableRawStates")]
+ public JoinDataComplete EnableRawStates = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Enable Raw", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("RoomOccupiedFeedback")]
+ public JoinDataComplete RoomOccupiedFeedback = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Room Is Occupied", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("GraceOccupancyDetectedFeedback")]
+ public JoinDataComplete GraceOccupancyDetectedFeedback = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Grace Occupancy Detected", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("RoomVacantFeedback")]
+ public JoinDataComplete RoomVacantFeedback = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Room Is Vacant", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("RawOccupancyFeedback")]
+ public JoinDataComplete RawOccupancyFeedback = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Raw Occupancy Detected", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("RawOccupancyPirFeedback")]
+ public JoinDataComplete RawOccupancyPirFeedback = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Raw PIR Occupancy Detected", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("RawOccupancyUsFeedback")]
+ public JoinDataComplete RawOccupancyUsFeedback = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Raw US Occupancy Detected", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("EnableLedFlash")]
+ public JoinDataComplete EnableLedFlash = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Enable LED Flash", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DisableLedFlash")]
+ public JoinDataComplete DisableLedFlash = new JoinDataComplete(new JoinData { JoinNumber = 12, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Disable LED Flash", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("EnableShortTimeout")]
+ public JoinDataComplete EnableShortTimeout = new JoinDataComplete(new JoinData { JoinNumber = 13, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Enable Short Timeout", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DisableShortTimeout")]
+ public JoinDataComplete DisableShortTimeout = new JoinDataComplete(new JoinData { JoinNumber = 14, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Disable Short Timeout", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("OrWhenVacated")]
+ public JoinDataComplete OrWhenVacated = new JoinDataComplete(new JoinData { JoinNumber = 15, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Set To Vacant when Either Sensor is Vacant", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("AndWhenVacated")]
+ public JoinDataComplete AndWhenVacated = new JoinDataComplete(new JoinData { JoinNumber = 16, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Set To Vacant when Both Sensors are Vacant", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("EnableUsA")]
+ public JoinDataComplete EnableUsA = new JoinDataComplete(new JoinData { JoinNumber = 17, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Enable Ultrasonic Sensor A", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DisableUsA")]
+ public JoinDataComplete DisableUsA = new JoinDataComplete(new JoinData { JoinNumber = 18, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Disable Ultrasonic Sensor A", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("EnableUsB")]
+ public JoinDataComplete EnableUsB = new JoinDataComplete(new JoinData { JoinNumber = 19, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Enable Ultrasonic Sensor B", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DisableUsB")]
+ public JoinDataComplete DisableUsB = new JoinDataComplete(new JoinData { JoinNumber = 20, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Disable Ultrasonic Sensor B", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("EnablePir")]
+ public JoinDataComplete EnablePir = new JoinDataComplete(new JoinData { JoinNumber = 21, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Enable IR Sensor", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DisablePir")]
+ public JoinDataComplete DisablePir = new JoinDataComplete(new JoinData { JoinNumber = 22, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Disable IR Sensor", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("IncrementUsInOccupiedState")]
+ public JoinDataComplete IncrementUsInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 23, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Increment US Occupied State Sensitivity", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DecrementUsInOccupiedState")]
+ public JoinDataComplete DecrementUsInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 24, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Decrement US Occupied State Sensitivity", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("IncrementUsInVacantState")]
+ public JoinDataComplete IncrementUsInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 25, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Increment US Vacant State Sensitivity", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DecrementUsInVacantState")]
+ public JoinDataComplete DecrementUsInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 26, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Decrement US Vacant State Sensitivity", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("IncrementPirInOccupiedState")]
+ public JoinDataComplete IncrementPirInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 27, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Increment IR Occupied State Sensitivity", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DecrementPirInOccupiedState")]
+ public JoinDataComplete DecrementPirInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 28, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Decrement IR Occupied State Sensitivity", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("IncrementPirInVacantState")]
+ public JoinDataComplete IncrementPirInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 29, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Increment IR Vacant State Sensitivity", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DecrementPirInVacantState")]
+ public JoinDataComplete DecrementPirInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 30, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Decrement IR Vacant State Sensitivity", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Timeout")]
+ public JoinDataComplete Timeout = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Timeout Value", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("TimeoutLocalFeedback")]
+ public JoinDataComplete TimeoutLocalFeedback = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Local Timeout Value", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("InternalPhotoSensorValue")]
+ public JoinDataComplete InternalPhotoSensorValue = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Internal PhotoSensor Value", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("ExternalPhotoSensorValue")]
+ public JoinDataComplete ExternalPhotoSensorValue = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor External PhotoSensor Value", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("UsSensitivityInOccupiedState")]
+ public JoinDataComplete UsSensitivityInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Ultrasonic Sensitivity in Occupied State", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("UsSensitivityInVacantState")]
+ public JoinDataComplete UsSensitivityInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Ultrasonic Sensitivity in Vacant State", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("PirSensitivityInOccupiedState")]
+ public JoinDataComplete PirSensitivityInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor PIR Sensitivity in Occupied State", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("PirSensitivityInVacantState")]
+ public JoinDataComplete PirSensitivityInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor PIR Sensitivity in Vacant State", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("Name")]
+ public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Occ Sensor Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+
///
- /// Represents a GlsOccupancySensorBaseJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class GlsOccupancySensorBaseJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public GlsOccupancySensorBaseJoinMap(uint joinStart)
+ : this(joinStart, typeof(GlsOccupancySensorBaseJoinMap))
{
- ///
- /// Occ Sensor Is Online
- ///
- [JoinName("IsOnline")]
- public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Is Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Set to Occupied
- ///
- [JoinName("ForceOccupied")]
- public JoinDataComplete ForceOccupied = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Set to Occupied", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Set to Vacant
- ///
- [JoinName("ForceVacant")]
- public JoinDataComplete ForceVacant = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Set to Vacant", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Enable Raw
- ///
- [JoinName("EnableRawStates")]
- public JoinDataComplete EnableRawStates = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Enable Raw", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Disable Raw
- ///
- [JoinName("RoomOccupiedFeedback")]
- public JoinDataComplete RoomOccupiedFeedback = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Room Is Occupied", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Grace Occupancy Detected
- ///
- [JoinName("GraceOccupancyDetectedFeedback")]
- public JoinDataComplete GraceOccupancyDetectedFeedback = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Grace Occupancy Detected", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Room Is Vacant
- ///
- [JoinName("RoomVacantFeedback")]
- public JoinDataComplete RoomVacantFeedback = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Room Is Vacant", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Raw Occupancy Detected
- ///
- [JoinName("RawOccupancyFeedback")]
- public JoinDataComplete RawOccupancyFeedback = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Raw Occupancy Detected", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Raw PIR Occupancy Detected
- ///
- [JoinName("RawOccupancyPirFeedback")]
- public JoinDataComplete RawOccupancyPirFeedback = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Raw PIR Occupancy Detected", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Raw US Occupancy Detected
- ///
- [JoinName("RawOccupancyUsFeedback")]
- public JoinDataComplete RawOccupancyUsFeedback = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Raw US Occupancy Detected", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Enable LED Flash
- ///
- [JoinName("EnableLedFlash")]
- public JoinDataComplete EnableLedFlash = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Enable LED Flash", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Disable LED Flash
- ///
- [JoinName("DisableLedFlash")]
- public JoinDataComplete DisableLedFlash = new JoinDataComplete(new JoinData { JoinNumber = 12, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Disable LED Flash", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Enable Short Timeout
- ///
- [JoinName("EnableShortTimeout")]
- public JoinDataComplete EnableShortTimeout = new JoinDataComplete(new JoinData { JoinNumber = 13, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Enable Short Timeout", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Disable Short Timeout
- ///
- [JoinName("DisableShortTimeout")]
- public JoinDataComplete DisableShortTimeout = new JoinDataComplete(new JoinData { JoinNumber = 14, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Disable Short Timeout", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Set To Vacant when Either Sensor is Vacant
- ///
- [JoinName("OrWhenVacated")]
- public JoinDataComplete OrWhenVacated = new JoinDataComplete(new JoinData { JoinNumber = 15, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Set To Vacant when Either Sensor is Vacant", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Set To Vacant when Both Sensors are Vacant
- ///
- [JoinName("AndWhenVacated")]
- public JoinDataComplete AndWhenVacated = new JoinDataComplete(new JoinData { JoinNumber = 16, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Set To Vacant when Both Sensors are Vacant", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Enable Ultrasonic Sensor A
- ///
- [JoinName("EnableUsA")]
- public JoinDataComplete EnableUsA = new JoinDataComplete(new JoinData { JoinNumber = 17, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Enable Ultrasonic Sensor A", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Disable Ultrasonic Sensor A
- ///
- [JoinName("DisableUsA")]
- public JoinDataComplete DisableUsA = new JoinDataComplete(new JoinData { JoinNumber = 18, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Disable Ultrasonic Sensor A", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Enable Ultrasonic Sensor B
- ///
- [JoinName("EnableUsB")]
- public JoinDataComplete EnableUsB = new JoinDataComplete(new JoinData { JoinNumber = 19, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Enable Ultrasonic Sensor B", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Disable Ultrasonic Sensor B
- ///
- [JoinName("DisableUsB")]
- public JoinDataComplete DisableUsB = new JoinDataComplete(new JoinData { JoinNumber = 20, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Disable Ultrasonic Sensor B", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Enable IR Sensor
- ///
- [JoinName("EnablePir")]
- public JoinDataComplete EnablePir = new JoinDataComplete(new JoinData { JoinNumber = 21, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Enable IR Sensor", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Disable IR Sensor
- ///
- [JoinName("DisablePir")]
- public JoinDataComplete DisablePir = new JoinDataComplete(new JoinData { JoinNumber = 22, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Disable IR Sensor", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Increment US Occupied State Sensitivity
- ///
- [JoinName("IncrementUsInOccupiedState")]
- public JoinDataComplete IncrementUsInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 23, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Increment US Occupied State Sensitivity", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Decrement US Occupied State Sensitivity
- ///
- [JoinName("DecrementUsInOccupiedState")]
- public JoinDataComplete DecrementUsInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 24, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Decrement US Occupied State Sensitivity", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Increment US Vacant State Sensitivity
- ///
- [JoinName("IncrementUsInVacantState")]
- public JoinDataComplete IncrementUsInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 25, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Increment US Vacant State Sensitivity", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Decrement US Vacant State Sensitivity
- ///
- [JoinName("DecrementUsInVacantState")]
- public JoinDataComplete DecrementUsInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 26, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Decrement US Vacant State Sensitivity", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Increment IR Occupied State Sensitivity
- ///
- [JoinName("IncrementPirInOccupiedState")]
- public JoinDataComplete IncrementPirInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 27, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Increment IR Occupied State Sensitivity", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Decrement IR Occupied State Sensitivity
- ///
- [JoinName("DecrementPirInOccupiedState")]
- public JoinDataComplete DecrementPirInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 28, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Decrement IR Occupied State Sensitivity", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Increment IR Vacant State Sensitivity
- ///
- [JoinName("IncrementPirInVacantState")]
- public JoinDataComplete IncrementPirInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 29, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Increment IR Vacant State Sensitivity", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Decrement IR Vacant State Sensitivity
- ///
- [JoinName("DecrementPirInVacantState")]
- public JoinDataComplete DecrementPirInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 30, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Decrement IR Vacant State Sensitivity", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Occ Sensor Timeout Value
- ///
- [JoinName("Timeout")]
- public JoinDataComplete Timeout = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Timeout Value", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Occ Sensor Local Timeout Value
- ///
- [JoinName("TimeoutLocalFeedback")]
- public JoinDataComplete TimeoutLocalFeedback = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Local Timeout Value", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Occ Sensor Internal PhotoSensor Value
- ///
- [JoinName("InternalPhotoSensorValue")]
- public JoinDataComplete InternalPhotoSensorValue = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Internal PhotoSensor Value", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Occ Sensor External PhotoSensor Value
- ///
- [JoinName("ExternalPhotoSensorValue")]
- public JoinDataComplete ExternalPhotoSensorValue = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor External PhotoSensor Value", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Occ Sensor Ultrasonic Sensitivity in Occupied State
- ///
- [JoinName("UsSensitivityInOccupiedState")]
- public JoinDataComplete UsSensitivityInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Ultrasonic Sensitivity in Occupied State", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Occ Sensor Ultrasonic Sensitivity in Vacant State
- ///
- [JoinName("UsSensitivityInVacantState")]
- public JoinDataComplete UsSensitivityInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Ultrasonic Sensitivity in Vacant State", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Occ Sensor PIR Sensitivity in Occupied State
- ///
- [JoinName("PirSensitivityInOccupiedState")]
- public JoinDataComplete PirSensitivityInOccupiedState = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor PIR Sensitivity in Occupied State", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Occ Sensor PIR Sensitivity in Vacant State
- ///
- [JoinName("PirSensitivityInVacantState")]
- public JoinDataComplete PirSensitivityInVacantState = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor PIR Sensitivity in Vacant State", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Occ Sensor Name
- ///
- [JoinName("Name")]
- public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Occ Sensor Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
-
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public GlsOccupancySensorBaseJoinMap(uint joinStart)
- : this(joinStart, typeof(GlsOccupancySensorBaseJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected GlsOccupancySensorBaseJoinMap(uint joinStart, Type type)
- : base(joinStart, type)
- {
- }
-
}
-}
+
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected GlsOccupancySensorBaseJoinMap(uint joinStart, Type type)
+ : base(joinStart, type)
+ {
+ }
+
+}
+
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/GlsPartitionSensorJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/GlsPartitionSensorJoinMap.cs
index 98c491dd..7515c8c2 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/GlsPartitionSensorJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/GlsPartitionSensorJoinMap.cs
@@ -1,183 +1,156 @@
using System;
using PepperDash.Essentials.Core;
-namespace PepperDash.Essentials.Core.Bridges.JoinMaps
+namespace PepperDash.Essentials.Core.Bridges.JoinMaps;
+
+public class GlsPartitionSensorJoinMap : JoinMapBaseAdvanced
{
+
+ #region Digital
+
+ [JoinName("IsOnline")]
+ public JoinDataComplete IsOnline = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 1,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Sensor Is Online",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Digital
+ });
+
+
+ [JoinName("Enable")]
+ public JoinDataComplete Enable = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 2,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Sensor Enable",
+ JoinCapabilities = eJoinCapabilities.ToFromSIMPL,
+ JoinType = eJoinType.Digital
+ });
+
+ [JoinName("PartitionSensed")]
+ public JoinDataComplete PartitionSensed = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 3,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Sensor Partition Sensed",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Digital
+ });
+
+ [JoinName("PartitionNotSensed")]
+ public JoinDataComplete PartitionNotSensed = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 4,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Sensor Partition Not Sensed",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Digital
+ });
+
+ [JoinName("IncreaseSensitivity")]
+ public JoinDataComplete IncreaseSensitivity = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 6,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Sensor Increase Sensitivity",
+ JoinCapabilities = eJoinCapabilities.FromSIMPL,
+ JoinType = eJoinType.Digital
+ });
+
+ [JoinName("DecreaseSensitivity")]
+ public JoinDataComplete DecreaseSensitivity = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 7,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Sensor Decrease Sensitivity",
+ JoinCapabilities = eJoinCapabilities.FromSIMPL,
+ JoinType = eJoinType.Digital
+ });
+
+ #endregion
+
+ #region Analog
+
+ [JoinName("Sensitivity")]
+ public JoinDataComplete Sensitivity = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 2,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Sensor Sensitivity",
+ JoinCapabilities = eJoinCapabilities.ToFromSIMPL,
+ JoinType = eJoinType.Analog
+ });
+
+ #endregion
+
+
+ #region Serial
+
+ [JoinName("Name")]
+ public JoinDataComplete Name = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 1,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Sensor Name",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Serial
+ });
+
+ #endregion
+
+
///
- /// Represents a GlsPartitionSensorJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class GlsPartitionSensorJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public GlsPartitionSensorJoinMap(uint joinStart)
+ : this(joinStart, typeof(GlsPartitionSensorJoinMap))
{
- #region Digital
+ }
- ///
- /// Sensor Is Online
- ///
- [JoinName("IsOnline")]
- public JoinDataComplete IsOnline = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 1,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Sensor Is Online",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Digital
- });
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected GlsPartitionSensorJoinMap(uint joinStart, Type type)
+ : base(joinStart, type)
+ {
- ///
- /// Sensor Enable
- ///
- [JoinName("Enable")]
- public JoinDataComplete Enable = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 2,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Sensor Enable",
- JoinCapabilities = eJoinCapabilities.ToFromSIMPL,
- JoinType = eJoinType.Digital
- });
-
- ///
- /// Sensor Partition Sensed
- ///
- [JoinName("PartitionSensed")]
- public JoinDataComplete PartitionSensed = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 3,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Sensor Partition Sensed",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Digital
- });
-
- ///
- /// Sensor Partition Not Sensed
- ///
- [JoinName("PartitionNotSensed")]
- public JoinDataComplete PartitionNotSensed = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 4,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Sensor Partition Not Sensed",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Digital
- });
-
- ///
- /// Sensor Increase Sensitivity
- ///
- [JoinName("IncreaseSensitivity")]
- public JoinDataComplete IncreaseSensitivity = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 6,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Sensor Increase Sensitivity",
- JoinCapabilities = eJoinCapabilities.FromSIMPL,
- JoinType = eJoinType.Digital
- });
-
- ///
- /// Sensor Decrease Sensitivity
- ///
- [JoinName("DecreaseSensitivity")]
- public JoinDataComplete DecreaseSensitivity = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 7,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Sensor Decrease Sensitivity",
- JoinCapabilities = eJoinCapabilities.FromSIMPL,
- JoinType = eJoinType.Digital
- });
-
- #endregion
-
- #region Analog
-
- ///
- /// Sensor Sensitivity
- ///
- [JoinName("Sensitivity")]
- public JoinDataComplete Sensitivity = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 2,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Sensor Sensitivity",
- JoinCapabilities = eJoinCapabilities.ToFromSIMPL,
- JoinType = eJoinType.Analog
- });
-
- #endregion
-
-
- #region Serial
-
- ///
- /// Sensor Name
- ///
- [JoinName("Name")]
- public JoinDataComplete Name = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 1,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Sensor Name",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Serial
- });
-
- #endregion
-
-
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public GlsPartitionSensorJoinMap(uint joinStart)
- : this(joinStart, typeof(GlsPartitionSensorJoinMap))
- {
-
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected GlsPartitionSensorJoinMap(uint joinStart, Type type)
- : base(joinStart, type)
- {
-
- }
}
}
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/HdMdNxM4kEControllerJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/HdMdNxM4kEControllerJoinMap.cs
index 950e3f1e..43ed25c9 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/HdMdNxM4kEControllerJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/HdMdNxM4kEControllerJoinMap.cs
@@ -1,99 +1,65 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class HdMdNxM4kEControllerJoinMap : JoinMapBaseAdvanced
{
+ [JoinName("Name")]
+ public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Device Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("EnableAutoRoute")]
+ public JoinDataComplete EnableAutoRoute = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Enable Automatic Routing on 4x1 Switchers", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("InputName")]
+ public JoinDataComplete InputName = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 8 },
+ new JoinMetadata { Description = "Device Input Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("InputSync")]
+ public JoinDataComplete InputSync = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 8 },
+ new JoinMetadata { Description = "Device Input Sync", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("OutputName")]
+ public JoinDataComplete OutputName = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 2 },
+ new JoinMetadata { Description = "Device Output Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("OutputRoute")]
+ public JoinDataComplete OutputRoute = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 2 },
+ new JoinMetadata { Description = "Device Output Route Set/Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("OutputRoutedName")]
+ public JoinDataComplete OutputRoutedName = new JoinDataComplete(new JoinData { JoinNumber = 16, JoinSpan = 2 },
+ new JoinMetadata { Description = "Device Output Route Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("EnableInputHdcp")]
+ public JoinDataComplete EnableInputHdcp = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 8 },
+ new JoinMetadata { Description = "Device Enable Input Hdcp", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DisableInputHdcp")]
+ public JoinDataComplete DisableInputHdcp = new JoinDataComplete(new JoinData { JoinNumber = 21, JoinSpan = 8 },
+ new JoinMetadata { Description = "Device Disnable Input Hdcp", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("IsOnline")]
+ public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 30, JoinSpan = 1 },
+ new JoinMetadata { Description = "Device Onlne", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
///
- /// Represents a HdMdNxM4kEControllerJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class HdMdNxM4kEControllerJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public HdMdNxM4kEControllerJoinMap(uint joinStart)
+ : this(joinStart, typeof(HdMdNxM4kEControllerJoinMap))
{
- ///
- /// Device Name
- ///
- [JoinName("Name")]
- public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Device Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ }
- ///
- /// Enable Automatic Routing on 4x1 Switchers
- ///
- [JoinName("EnableAutoRoute")]
- public JoinDataComplete EnableAutoRoute = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Enable Automatic Routing on 4x1 Switchers", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Device Input Name
- ///
- [JoinName("InputName")]
- public JoinDataComplete InputName = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 8 },
- new JoinMetadata { Description = "Device Input Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// Device Input Sync
- ///
- [JoinName("InputSync")]
- public JoinDataComplete InputSync = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 8 },
- new JoinMetadata { Description = "Device Input Sync", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Device Output Name
- ///
- [JoinName("OutputName")]
- public JoinDataComplete OutputName = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 2 },
- new JoinMetadata { Description = "Device Output Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// Device Output Route Set/Get
- ///
- [JoinName("OutputRoute")]
- public JoinDataComplete OutputRoute = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 2 },
- new JoinMetadata { Description = "Device Output Route Set/Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Device Output Route Name
- ///
- [JoinName("OutputRoutedName")]
- public JoinDataComplete OutputRoutedName = new JoinDataComplete(new JoinData { JoinNumber = 16, JoinSpan = 2 },
- new JoinMetadata { Description = "Device Output Route Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// Device Enable Input Hdcp
- ///
- [JoinName("EnableInputHdcp")]
- public JoinDataComplete EnableInputHdcp = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 8 },
- new JoinMetadata { Description = "Device Enable Input Hdcp", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Device Disable Input Hdcp
- ///
- [JoinName("DisableInputHdcp")]
- public JoinDataComplete DisableInputHdcp = new JoinDataComplete(new JoinData { JoinNumber = 21, JoinSpan = 8 },
- new JoinMetadata { Description = "Device Disnable Input Hdcp", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Device Online Status
- ///
- [JoinName("IsOnline")]
- public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 30, JoinSpan = 1 },
- new JoinMetadata { Description = "Device Onlne", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public HdMdNxM4kEControllerJoinMap(uint joinStart)
- : this(joinStart, typeof(HdMdNxM4kEControllerJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected HdMdNxM4kEControllerJoinMap(uint joinStart, Type type)
- : base(joinStart, type)
- {
- }
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected HdMdNxM4kEControllerJoinMap(uint joinStart, Type type)
+ : base(joinStart, type)
+ {
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/HdMdxxxCEControllerJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/HdMdxxxCEControllerJoinMap.cs
index 2730a0ea..32bc5651 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/HdMdxxxCEControllerJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/HdMdxxxCEControllerJoinMap.cs
@@ -1,114 +1,75 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class HdMdxxxCEControllerJoinMap : JoinMapBaseAdvanced
{
+
+ [JoinName("IsOnline")]
+ public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Device Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("RemoteEndDetected")]
+ public JoinDataComplete RemoteEndDetected = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Device Remote End Detected", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("AutoRouteOn")]
+ public JoinDataComplete AutoRouteOn = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "Device Auto Route On", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("AutoRouteOff")]
+ public JoinDataComplete AutoRouteOff = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "Device Auto Route Off", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("PriorityRoutingOn")]
+ public JoinDataComplete PriorityRoutingOn = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
+ new JoinMetadata { Description = "Device Priority Routing On", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("PriorityRoutingOff")]
+ public JoinDataComplete PriorityRoutingOff = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
+ new JoinMetadata { Description = "Device Priority Routing Off", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("InputOnScreenDisplayEnabled")]
+ public JoinDataComplete InputOnScreenDisplayEnabled = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
+ new JoinMetadata { Description = "Device Input OSD Enabled", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("InputOnScreenDisplayDisabled")]
+ public JoinDataComplete InputOnScreenDisplayDisabled = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 },
+ new JoinMetadata { Description = "Device Input OSD Disabled", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("SyncDetected")]
+ public JoinDataComplete SyncDetected = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 5 },
+ new JoinMetadata { Description = "Device Sync Detected", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("VideoSource")]
+ public JoinDataComplete VideoSource = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 5 },
+ new JoinMetadata { Description = "Device Video Source Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("SourceCount")]
+ public JoinDataComplete SourceCount = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 5 },
+ new JoinMetadata { Description = "Device Video Source Count", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("SourceNames")]
+ public JoinDataComplete SourceNames = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 5 },
+ new JoinMetadata { Description = "Device Video Source Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+
///
- /// Represents a HdMdxxxCEControllerJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class HdMdxxxCEControllerJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public HdMdxxxCEControllerJoinMap(uint joinStart)
+ : this(joinStart, typeof(HdMdxxxCEControllerJoinMap))
{
+ }
- ///
- /// Device Online
- ///
- [JoinName("IsOnline")]
- public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Device Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Remote End Detected
- ///
- [JoinName("RemoteEndDetected")]
- public JoinDataComplete RemoteEndDetected = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Device Remote End Detected", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Auto Route On
- ///
- [JoinName("AutoRouteOn")]
- public JoinDataComplete AutoRouteOn = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "Device Auto Route On", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Auto Route Off
- ///
- [JoinName("AutoRouteOff")]
- public JoinDataComplete AutoRouteOff = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "Device Auto Route Off", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Priority Routing On
- ///
- [JoinName("PriorityRoutingOn")]
- public JoinDataComplete PriorityRoutingOn = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
- new JoinMetadata { Description = "Device Priority Routing On", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Priority Routing Off
- ///
- [JoinName("PriorityRoutingOff")]
- public JoinDataComplete PriorityRoutingOff = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
- new JoinMetadata { Description = "Device Priority Routing Off", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Input On Screen Display Enabled
- ///
- [JoinName("InputOnScreenDisplayEnabled")]
- public JoinDataComplete InputOnScreenDisplayEnabled = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
- new JoinMetadata { Description = "Device Input OSD Enabled", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Input On Screen Display Disabled
- ///
- [JoinName("InputOnScreenDisplayDisabled")]
- public JoinDataComplete InputOnScreenDisplayDisabled = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 },
- new JoinMetadata { Description = "Device Input OSD Disabled", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Sync Detected
- ///
- [JoinName("SyncDetected")]
- public JoinDataComplete SyncDetected = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 5 },
- new JoinMetadata { Description = "Device Sync Detected", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Video Source
- ///
- [JoinName("VideoSource")]
- public JoinDataComplete VideoSource = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 5 },
- new JoinMetadata { Description = "Device Video Source Set / Get", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Source Count
- ///
- [JoinName("SourceCount")]
- public JoinDataComplete SourceCount = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 5 },
- new JoinMetadata { Description = "Device Video Source Count", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
- ///
- /// Source Names
- ///
- [JoinName("SourceNames")]
- public JoinDataComplete SourceNames = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 5 },
- new JoinMetadata { Description = "Device Video Source Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
-
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public HdMdxxxCEControllerJoinMap(uint joinStart)
- : this(joinStart, typeof(HdMdxxxCEControllerJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected HdMdxxxCEControllerJoinMap(uint joinStart, Type type)
- : base(joinStart, type)
- {
- }
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected HdMdxxxCEControllerJoinMap(uint joinStart, Type type)
+ : base(joinStart, type)
+ {
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/HdPsXxxControllerJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/HdPsXxxControllerJoinMap.cs
index aee3c2f1..e5225ac6 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/HdPsXxxControllerJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/HdPsXxxControllerJoinMap.cs
@@ -1,11 +1,8 @@
using System;
using PepperDash.Essentials.Core;
-namespace PepperDash.Essentials.Core.Bridges
-{
- ///
- /// Represents a HdPsXxxControllerJoinMap
- ///
+namespace PepperDash.Essentials.Core.Bridges;
+
public class HdPsXxxControllerJoinMap : JoinMapBaseAdvanced
{
@@ -212,5 +209,4 @@ namespace PepperDash.Essentials.Core.Bridges
: base(joinStart, type)
{
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/Hrxxx0WirelessRemoteControllerJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/Hrxxx0WirelessRemoteControllerJoinMap.cs
index 5c4c858e..ca9ef3c6 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/Hrxxx0WirelessRemoteControllerJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/Hrxxx0WirelessRemoteControllerJoinMap.cs
@@ -1,414 +1,245 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class Hrxxx0WirelessRemoteControllerJoinMap : JoinMapBaseAdvanced
{
+ [JoinName("Power")]
+ public JoinDataComplete Power = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Power", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Menu")]
+ public JoinDataComplete Menu = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Menu", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Guide")]
+ public JoinDataComplete Guide = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "Guide", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Info")]
+ public JoinDataComplete Info = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "Info", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("VolumeUp")]
+ public JoinDataComplete VolumeUp = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
+ new JoinMetadata { Description = "VolumeUp", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("VolumeDown")]
+ public JoinDataComplete VolumeDown = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
+ new JoinMetadata { Description = "VolumeDown", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DialPadUp")]
+ public JoinDataComplete DialPadUp = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
+ new JoinMetadata { Description = "DialPadUp", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DialPadDown")]
+ public JoinDataComplete DialPadDown = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 },
+ new JoinMetadata { Description = "DialPadDown", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DialPadLeft")]
+ public JoinDataComplete DialPadLeft = new JoinDataComplete(new JoinData { JoinNumber = 9, JoinSpan = 1 },
+ new JoinMetadata { Description = "DialPadLeft", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DialPadRight")]
+ public JoinDataComplete DialPadRight = new JoinDataComplete(new JoinData { JoinNumber = 10, JoinSpan = 1 },
+ new JoinMetadata { Description = "DialPadRight", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DialPadSelect")]
+ public JoinDataComplete DialPadSelect = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
+ new JoinMetadata { Description = "DialPadSelect", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("ChannelUp")]
+ public JoinDataComplete ChannelUp = new JoinDataComplete(new JoinData { JoinNumber = 12, JoinSpan = 1 },
+ new JoinMetadata { Description = "ChannelUp", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("ChannelDown")]
+ public JoinDataComplete ChannelDown = new JoinDataComplete(new JoinData { JoinNumber = 13, JoinSpan = 1 },
+ new JoinMetadata { Description = "ChannelDown", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Mute")]
+ public JoinDataComplete Mute = new JoinDataComplete(new JoinData { JoinNumber = 14, JoinSpan = 1 },
+ new JoinMetadata { Description = "Mute", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Exit")]
+ public JoinDataComplete Exit = new JoinDataComplete(new JoinData { JoinNumber = 15, JoinSpan = 1 },
+ new JoinMetadata { Description = "Exit", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Last")]
+ public JoinDataComplete Last = new JoinDataComplete(new JoinData { JoinNumber = 16, JoinSpan = 1 },
+ new JoinMetadata { Description = "Last", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Play")]
+ public JoinDataComplete Play = new JoinDataComplete(new JoinData { JoinNumber = 17, JoinSpan = 1 },
+ new JoinMetadata { Description = "Play", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Pause")]
+ public JoinDataComplete Pause = new JoinDataComplete(new JoinData { JoinNumber = 18, JoinSpan = 1 },
+ new JoinMetadata { Description = "Pause", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Rewind")]
+ public JoinDataComplete Rewind = new JoinDataComplete(new JoinData { JoinNumber = 19, JoinSpan = 1 },
+ new JoinMetadata { Description = "Rewind", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("FastForward")]
+ public JoinDataComplete FastForward = new JoinDataComplete(new JoinData { JoinNumber = 20, JoinSpan = 1 },
+ new JoinMetadata { Description = "FastForward", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("PreviousTrack")]
+ public JoinDataComplete PreviousTrack = new JoinDataComplete(new JoinData { JoinNumber = 21, JoinSpan = 1 },
+ new JoinMetadata { Description = "PreviousTrack", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("NextTrack")]
+ public JoinDataComplete NextTrack = new JoinDataComplete(new JoinData { JoinNumber = 22, JoinSpan = 1 },
+ new JoinMetadata { Description = "NextTrack", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Stop")]
+ public JoinDataComplete Stop = new JoinDataComplete(new JoinData { JoinNumber = 23, JoinSpan = 1 },
+ new JoinMetadata { Description = "Stop", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Record")]
+ public JoinDataComplete Record = new JoinDataComplete(new JoinData { JoinNumber = 24, JoinSpan = 1 },
+ new JoinMetadata { Description = "Record", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Dvr")]
+ public JoinDataComplete Dvr = new JoinDataComplete(new JoinData { JoinNumber = 25, JoinSpan = 1 },
+ new JoinMetadata { Description = "Dvr", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Keypad1")]
+ public JoinDataComplete Keypad1 = new JoinDataComplete(new JoinData { JoinNumber = 26, JoinSpan = 1 },
+ new JoinMetadata { Description = "Keypad1", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Keypad2Abc")]
+ public JoinDataComplete Keypad2 = new JoinDataComplete(new JoinData { JoinNumber = 27, JoinSpan = 1 },
+ new JoinMetadata { Description = "Keypad2Abc", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Keypad3Def")]
+ public JoinDataComplete Keypad3Def = new JoinDataComplete(new JoinData { JoinNumber = 28, JoinSpan = 1 },
+ new JoinMetadata { Description = "Keypad3Def", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Keypad4Ghi")]
+ public JoinDataComplete Keypad4Ghi = new JoinDataComplete(new JoinData { JoinNumber = 29, JoinSpan = 1 },
+ new JoinMetadata { Description = "Keypad4Ghi", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Keypad5Jkl")]
+ public JoinDataComplete Keypad5Jkl = new JoinDataComplete(new JoinData { JoinNumber = 30, JoinSpan = 1 },
+ new JoinMetadata { Description = "Keypad5Jkl", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Keypad6Mno")]
+ public JoinDataComplete Keypad6Mno = new JoinDataComplete(new JoinData { JoinNumber = 31, JoinSpan = 1 },
+ new JoinMetadata { Description = "Keypad6Mno", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Keypad7Pqrs")]
+ public JoinDataComplete Keypad7Pqrs = new JoinDataComplete(new JoinData { JoinNumber = 32, JoinSpan = 1 },
+ new JoinMetadata { Description = "Keypad7Pqrs", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Keypad8Tuv")]
+ public JoinDataComplete Keypad8Tuv = new JoinDataComplete(new JoinData { JoinNumber = 33, JoinSpan = 1 },
+ new JoinMetadata { Description = "Keypad8Tuv", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Keypad9Wxyz")]
+ public JoinDataComplete Keypad9Wxyz = new JoinDataComplete(new JoinData { JoinNumber = 34, JoinSpan = 1 },
+ new JoinMetadata { Description = "Keypad9Wxyz", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Keypad0")]
+ public JoinDataComplete Keypad0 = new JoinDataComplete(new JoinData { JoinNumber = 35, JoinSpan = 1 },
+ new JoinMetadata { Description = "Keypad0", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Clear")]
+ public JoinDataComplete Clear = new JoinDataComplete(new JoinData { JoinNumber = 36, JoinSpan = 1 },
+ new JoinMetadata { Description = "Clear", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Enter")]
+ public JoinDataComplete Enter = new JoinDataComplete(new JoinData { JoinNumber = 37, JoinSpan = 1 },
+ new JoinMetadata { Description = "Enter", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Red")]
+ public JoinDataComplete Red = new JoinDataComplete(new JoinData { JoinNumber = 38, JoinSpan = 1 },
+ new JoinMetadata { Description = "Red", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Green")]
+ public JoinDataComplete Green = new JoinDataComplete(new JoinData { JoinNumber = 39, JoinSpan = 1 },
+ new JoinMetadata { Description = "Green", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Yellow")]
+ public JoinDataComplete Yellow = new JoinDataComplete(new JoinData { JoinNumber = 40, JoinSpan = 1 },
+ new JoinMetadata { Description = "Yellow", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Blue")]
+ public JoinDataComplete Blue = new JoinDataComplete(new JoinData { JoinNumber = 41, JoinSpan = 1 },
+ new JoinMetadata { Description = "Blue", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Custom1")]
+ public JoinDataComplete Custom1 = new JoinDataComplete(new JoinData { JoinNumber = 42, JoinSpan = 1 },
+ new JoinMetadata { Description = "Custom1", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Custom2")]
+ public JoinDataComplete Custom2 = new JoinDataComplete(new JoinData { JoinNumber = 43, JoinSpan = 1 },
+ new JoinMetadata { Description = "Custom2", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Custom3")]
+ public JoinDataComplete Custom3 = new JoinDataComplete(new JoinData { JoinNumber = 44, JoinSpan = 1 },
+ new JoinMetadata { Description = "Custom3", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Custom4")]
+ public JoinDataComplete Custom4 = new JoinDataComplete(new JoinData { JoinNumber = 45, JoinSpan = 1 },
+ new JoinMetadata { Description = "Custom4", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Custom5")]
+ public JoinDataComplete Custom5 = new JoinDataComplete(new JoinData { JoinNumber = 46, JoinSpan = 1 },
+ new JoinMetadata { Description = "Custom5", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Custom6")]
+ public JoinDataComplete Custom6 = new JoinDataComplete(new JoinData { JoinNumber = 47, JoinSpan = 1 },
+ new JoinMetadata { Description = "Custom6", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Custom7")]
+ public JoinDataComplete Custom7 = new JoinDataComplete(new JoinData { JoinNumber = 48, JoinSpan = 1 },
+ new JoinMetadata { Description = "Custom7", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Custom8")]
+ public JoinDataComplete Custom8 = new JoinDataComplete(new JoinData { JoinNumber = 49, JoinSpan = 1 },
+ new JoinMetadata { Description = "Custom8", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Custom9")]
+ public JoinDataComplete Custom9 = new JoinDataComplete(new JoinData { JoinNumber = 50, JoinSpan = 1 },
+ new JoinMetadata { Description = "Custom9", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Fav")]
+ public JoinDataComplete Fav = new JoinDataComplete(new JoinData { JoinNumber = 51, JoinSpan = 1 },
+ new JoinMetadata { Description = "Fav", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Home")]
+ public JoinDataComplete Home = new JoinDataComplete(new JoinData { JoinNumber = 52, JoinSpan = 1 },
+ new JoinMetadata { Description = "Home", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("BatteryLow")]
+ public JoinDataComplete BatteryLow = new JoinDataComplete(new JoinData { JoinNumber = 53, JoinSpan = 1 },
+ new JoinMetadata { Description = "BatteryLow", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("BatteryCritical")]
+ public JoinDataComplete BatteryCritical = new JoinDataComplete(new JoinData { JoinNumber = 54, JoinSpan = 1 },
+ new JoinMetadata { Description = "BatteryCritical", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("BatteryVoltage")]
+ public JoinDataComplete BatteryVoltage = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "BatteryVoltage", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
///
- /// Represents a Hrxxx0WirelessRemoteControllerJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class Hrxxx0WirelessRemoteControllerJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public Hrxxx0WirelessRemoteControllerJoinMap(uint joinStart)
+ : this(joinStart, typeof(Hrxxx0WirelessRemoteControllerJoinMap))
{
- ///
- /// Power
- ///
- [JoinName("Power")]
- public JoinDataComplete Power = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Power", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+ }
- ///
- /// Menu
- ///
- [JoinName("Menu")]
- public JoinDataComplete Menu = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Menu", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Guide
- ///
- [JoinName("Guide")]
- public JoinDataComplete Guide = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "Guide", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Info
- ///
- [JoinName("Info")]
- public JoinDataComplete Info = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "Info", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// VolumeUp
- ///
- [JoinName("VolumeUp")]
- public JoinDataComplete VolumeUp = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
- new JoinMetadata { Description = "VolumeUp", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// VolumeDown
- ///
- [JoinName("VolumeDown")]
- public JoinDataComplete VolumeDown = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
- new JoinMetadata { Description = "VolumeDown", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DialPadUp
- ///
- [JoinName("DialPadUp")]
- public JoinDataComplete DialPadUp = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
- new JoinMetadata { Description = "DialPadUp", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DialPadDown
- ///
- [JoinName("DialPadDown")]
- public JoinDataComplete DialPadDown = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 },
- new JoinMetadata { Description = "DialPadDown", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DialPadLeft
- ///
- [JoinName("DialPadLeft")]
- public JoinDataComplete DialPadLeft = new JoinDataComplete(new JoinData { JoinNumber = 9, JoinSpan = 1 },
- new JoinMetadata { Description = "DialPadLeft", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DialPadRight
- ///
- [JoinName("DialPadRight")]
- public JoinDataComplete DialPadRight = new JoinDataComplete(new JoinData { JoinNumber = 10, JoinSpan = 1 },
- new JoinMetadata { Description = "DialPadRight", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// DialPadSelect
- ///
- [JoinName("DialPadSelect")]
- public JoinDataComplete DialPadSelect = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
- new JoinMetadata { Description = "DialPadSelect", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// ChannelUp
- ///
- [JoinName("ChannelUp")]
- public JoinDataComplete ChannelUp = new JoinDataComplete(new JoinData { JoinNumber = 12, JoinSpan = 1 },
- new JoinMetadata { Description = "ChannelUp", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// ChannelDown
- ///
- [JoinName("ChannelDown")]
- public JoinDataComplete ChannelDown = new JoinDataComplete(new JoinData { JoinNumber = 13, JoinSpan = 1 },
- new JoinMetadata { Description = "ChannelDown", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Mute
- ///
- [JoinName("Mute")]
- public JoinDataComplete Mute = new JoinDataComplete(new JoinData { JoinNumber = 14, JoinSpan = 1 },
- new JoinMetadata { Description = "Mute", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Exit
- ///
- [JoinName("Exit")]
- public JoinDataComplete Exit = new JoinDataComplete(new JoinData { JoinNumber = 15, JoinSpan = 1 },
- new JoinMetadata { Description = "Exit", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Last
- ///
- [JoinName("Last")]
- public JoinDataComplete Last = new JoinDataComplete(new JoinData { JoinNumber = 16, JoinSpan = 1 },
- new JoinMetadata { Description = "Last", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Play
- ///
- [JoinName("Play")]
- public JoinDataComplete Play = new JoinDataComplete(new JoinData { JoinNumber = 17, JoinSpan = 1 },
- new JoinMetadata { Description = "Play", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Pause
- ///
- [JoinName("Pause")]
- public JoinDataComplete Pause = new JoinDataComplete(new JoinData { JoinNumber = 18, JoinSpan = 1 },
- new JoinMetadata { Description = "Pause", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Rewind
- ///
- [JoinName("Rewind")]
- public JoinDataComplete Rewind = new JoinDataComplete(new JoinData { JoinNumber = 19, JoinSpan = 1 },
- new JoinMetadata { Description = "Rewind", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// FastForward
- ///
- [JoinName("FastForward")]
- public JoinDataComplete FastForward = new JoinDataComplete(new JoinData { JoinNumber = 20, JoinSpan = 1 },
- new JoinMetadata { Description = "FastForward", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// PreviousTrack
- ///
- [JoinName("PreviousTrack")]
- public JoinDataComplete PreviousTrack = new JoinDataComplete(new JoinData { JoinNumber = 21, JoinSpan = 1 },
- new JoinMetadata { Description = "PreviousTrack", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// NextTrack
- ///
- [JoinName("NextTrack")]
- public JoinDataComplete NextTrack = new JoinDataComplete(new JoinData { JoinNumber = 22, JoinSpan = 1 },
- new JoinMetadata { Description = "NextTrack", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Stop
- ///
- [JoinName("Stop")]
- public JoinDataComplete Stop = new JoinDataComplete(new JoinData { JoinNumber = 23, JoinSpan = 1 },
- new JoinMetadata { Description = "Stop", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Record
- ///
- [JoinName("Record")]
- public JoinDataComplete Record = new JoinDataComplete(new JoinData { JoinNumber = 24, JoinSpan = 1 },
- new JoinMetadata { Description = "Record", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Dvr
- ///
- [JoinName("Dvr")]
- public JoinDataComplete Dvr = new JoinDataComplete(new JoinData { JoinNumber = 25, JoinSpan = 1 },
- new JoinMetadata { Description = "Dvr", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Keypad1
- ///
- [JoinName("Keypad1")]
- public JoinDataComplete Keypad1 = new JoinDataComplete(new JoinData { JoinNumber = 26, JoinSpan = 1 },
- new JoinMetadata { Description = "Keypad1", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Keypad2Abc
- ///
- [JoinName("Keypad2Abc")]
- public JoinDataComplete Keypad2 = new JoinDataComplete(new JoinData { JoinNumber = 27, JoinSpan = 1 },
- new JoinMetadata { Description = "Keypad2Abc", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Keypad3Def
- ///
- [JoinName("Keypad3Def")]
- public JoinDataComplete Keypad3Def = new JoinDataComplete(new JoinData { JoinNumber = 28, JoinSpan = 1 },
- new JoinMetadata { Description = "Keypad3Def", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Keypad4Ghi
- ///
- [JoinName("Keypad4Ghi")]
- public JoinDataComplete Keypad4Ghi = new JoinDataComplete(new JoinData { JoinNumber = 29, JoinSpan = 1 },
- new JoinMetadata { Description = "Keypad4Ghi", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Keypad5Jkl
- ///
- [JoinName("Keypad5Jkl")]
- public JoinDataComplete Keypad5Jkl = new JoinDataComplete(new JoinData { JoinNumber = 30, JoinSpan = 1 },
- new JoinMetadata { Description = "Keypad5Jkl", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Keypad6Mno
- ///
- [JoinName("Keypad6Mno")]
- public JoinDataComplete Keypad6Mno = new JoinDataComplete(new JoinData { JoinNumber = 31, JoinSpan = 1 },
- new JoinMetadata { Description = "Keypad6Mno", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Keypad7Pqrs
- ///
- [JoinName("Keypad7Pqrs")]
- public JoinDataComplete Keypad7Pqrs = new JoinDataComplete(new JoinData { JoinNumber = 32, JoinSpan = 1 },
- new JoinMetadata { Description = "Keypad7Pqrs", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Keypad8Tuv
- ///
- [JoinName("Keypad8Tuv")]
- public JoinDataComplete Keypad8Tuv = new JoinDataComplete(new JoinData { JoinNumber = 33, JoinSpan = 1 },
- new JoinMetadata { Description = "Keypad8Tuv", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Keypad9Wxyz
- ///
- [JoinName("Keypad9Wxyz")]
- public JoinDataComplete Keypad9Wxyz = new JoinDataComplete(new JoinData { JoinNumber = 34, JoinSpan = 1 },
- new JoinMetadata { Description = "Keypad9Wxyz", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Keypad0
- ///
- [JoinName("Keypad0")]
- public JoinDataComplete Keypad0 = new JoinDataComplete(new JoinData { JoinNumber = 35, JoinSpan = 1 },
- new JoinMetadata { Description = "Keypad0", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Clear
- ///
- [JoinName("Clear")]
- public JoinDataComplete Clear = new JoinDataComplete(new JoinData { JoinNumber = 36, JoinSpan = 1 },
- new JoinMetadata { Description = "Clear", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Enter
- ///
- [JoinName("Enter")]
- public JoinDataComplete Enter = new JoinDataComplete(new JoinData { JoinNumber = 37, JoinSpan = 1 },
- new JoinMetadata { Description = "Enter", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Red
- ///
- [JoinName("Red")]
- public JoinDataComplete Red = new JoinDataComplete(new JoinData { JoinNumber = 38, JoinSpan = 1 },
- new JoinMetadata { Description = "Red", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Green
- ///
- [JoinName("Green")]
- public JoinDataComplete Green = new JoinDataComplete(new JoinData { JoinNumber = 39, JoinSpan = 1 },
- new JoinMetadata { Description = "Green", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Yellow
- ///
- [JoinName("Yellow")]
- public JoinDataComplete Yellow = new JoinDataComplete(new JoinData { JoinNumber = 40, JoinSpan = 1 },
- new JoinMetadata { Description = "Yellow", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Blue
- ///
- [JoinName("Blue")]
- public JoinDataComplete Blue = new JoinDataComplete(new JoinData { JoinNumber = 41, JoinSpan = 1 },
- new JoinMetadata { Description = "Blue", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Custom1
- ///
- [JoinName("Custom1")]
- public JoinDataComplete Custom1 = new JoinDataComplete(new JoinData { JoinNumber = 42, JoinSpan = 1 },
- new JoinMetadata { Description = "Custom1", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Custom2
- ///
- [JoinName("Custom2")]
- public JoinDataComplete Custom2 = new JoinDataComplete(new JoinData { JoinNumber = 43, JoinSpan = 1 },
- new JoinMetadata { Description = "Custom2", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Custom3
- ///
- [JoinName("Custom3")]
- public JoinDataComplete Custom3 = new JoinDataComplete(new JoinData { JoinNumber = 44, JoinSpan = 1 },
- new JoinMetadata { Description = "Custom3", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Custom4
- ///
- [JoinName("Custom4")]
- public JoinDataComplete Custom4 = new JoinDataComplete(new JoinData { JoinNumber = 45, JoinSpan = 1 },
- new JoinMetadata { Description = "Custom4", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Custom5
- ///
- [JoinName("Custom5")]
- public JoinDataComplete Custom5 = new JoinDataComplete(new JoinData { JoinNumber = 46, JoinSpan = 1 },
- new JoinMetadata { Description = "Custom5", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Custom6
- ///
- [JoinName("Custom6")]
- public JoinDataComplete Custom6 = new JoinDataComplete(new JoinData { JoinNumber = 47, JoinSpan = 1 },
- new JoinMetadata { Description = "Custom6", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Custom7
- ///
- [JoinName("Custom7")]
- public JoinDataComplete Custom7 = new JoinDataComplete(new JoinData { JoinNumber = 48, JoinSpan = 1 },
- new JoinMetadata { Description = "Custom7", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Custom8
- ///
- [JoinName("Custom8")]
- public JoinDataComplete Custom8 = new JoinDataComplete(new JoinData { JoinNumber = 49, JoinSpan = 1 },
- new JoinMetadata { Description = "Custom8", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Custom9
- ///
- [JoinName("Custom9")]
- public JoinDataComplete Custom9 = new JoinDataComplete(new JoinData { JoinNumber = 50, JoinSpan = 1 },
- new JoinMetadata { Description = "Custom9", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Fav
- ///
- [JoinName("Fav")]
- public JoinDataComplete Fav = new JoinDataComplete(new JoinData { JoinNumber = 51, JoinSpan = 1 },
- new JoinMetadata { Description = "Fav", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Home
- ///
- [JoinName("Home")]
- public JoinDataComplete Home = new JoinDataComplete(new JoinData { JoinNumber = 52, JoinSpan = 1 },
- new JoinMetadata { Description = "Home", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// BatteryLow
- ///
- [JoinName("BatteryLow")]
- public JoinDataComplete BatteryLow = new JoinDataComplete(new JoinData { JoinNumber = 53, JoinSpan = 1 },
- new JoinMetadata { Description = "BatteryLow", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// BatteryCritical
- ///
- [JoinName("BatteryCritical")]
- public JoinDataComplete BatteryCritical = new JoinDataComplete(new JoinData { JoinNumber = 54, JoinSpan = 1 },
- new JoinMetadata { Description = "BatteryCritical", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// BatteryVoltage
- ///
- [JoinName("BatteryVoltage")]
- public JoinDataComplete BatteryVoltage = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "BatteryVoltage", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public Hrxxx0WirelessRemoteControllerJoinMap(uint joinStart)
- : this(joinStart, typeof(Hrxxx0WirelessRemoteControllerJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected Hrxxx0WirelessRemoteControllerJoinMap(uint joinStart, Type type)
- : base(joinStart, type)
- {
- }
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected Hrxxx0WirelessRemoteControllerJoinMap(uint joinStart, Type type)
+ : base(joinStart, type)
+ {
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/IAnalogInputJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/IAnalogInputJoinMap.cs
index 59f90347..80509ecc 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/IAnalogInputJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/IAnalogInputJoinMap.cs
@@ -1,44 +1,33 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class IAnalogInputJoinMap : JoinMapBaseAdvanced
{
+
+ [JoinName("InputValue")]
+ public JoinDataComplete InputValue = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Input Value", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+ [JoinName("MinimumChange")]
+ public JoinDataComplete MinimumChange = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Minimum voltage change required to reflect a change", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
///
- /// Represents a IAnalogInputJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class IAnalogInputJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public IAnalogInputJoinMap(uint joinStart)
+ : this(joinStart, typeof(IAnalogInputJoinMap))
{
+ }
- ///
- /// Input Value
- ///
- [JoinName("InputValue")]
- public JoinDataComplete InputValue = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Input Value", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Minimum Change
- ///
- [JoinName("MinimumChange")]
- public JoinDataComplete MinimumChange = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Minimum voltage change required to reflect a change", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public IAnalogInputJoinMap(uint joinStart)
- : this(joinStart, typeof(IAnalogInputJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected IAnalogInputJoinMap(uint joinStart, Type type)
- : base(joinStart, type)
- {
- }
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected IAnalogInputJoinMap(uint joinStart, Type type)
+ : base(joinStart, type)
+ {
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/IBasicCommunicationJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/IBasicCommunicationJoinMap.cs
index b4c473cb..1db5b1ff 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/IBasicCommunicationJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/IBasicCommunicationJoinMap.cs
@@ -1,71 +1,49 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class IBasicCommunicationJoinMap : JoinMapBaseAdvanced
{
+ [JoinName("TextReceived")]
+ public JoinDataComplete TextReceived = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Text Received From Remote Device", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("SendText")]
+ public JoinDataComplete SendText = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Text Sent To Remote Device", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("SetPortConfig")]
+ public JoinDataComplete SetPortConfig = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Set Port Config", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("Connect")]
+ public JoinDataComplete Connect = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Connect", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Connected")]
+ public JoinDataComplete Connected = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Connected", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Status")]
+ public JoinDataComplete Status = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Status", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
///
- /// Represents a IBasicCommunicationJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class IBasicCommunicationJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public IBasicCommunicationJoinMap(uint joinStart)
+ : this(joinStart, typeof(IBasicCommunicationJoinMap))
{
- ///
- /// Text Received From Remote Device
- ///
- [JoinName("TextReceived")]
- public JoinDataComplete TextReceived = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Text Received From Remote Device", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ }
- ///
- /// Text Sent To Remote Device
- ///
- [JoinName("SendText")]
- public JoinDataComplete SendText = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Text Sent To Remote Device", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// Set Port Config
- ///
- [JoinName("SetPortConfig")]
- public JoinDataComplete SetPortConfig = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Set Port Config", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// Connect
- ///
- [JoinName("Connect")]
- public JoinDataComplete Connect = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Connect", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Disconnect
- ///
- [JoinName("Connected")]
- public JoinDataComplete Connected = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Connected", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Status
- ///
- [JoinName("Status")]
- public JoinDataComplete Status = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Status", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public IBasicCommunicationJoinMap(uint joinStart)
- : this(joinStart, typeof(IBasicCommunicationJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected IBasicCommunicationJoinMap(uint joinStart, Type type)
- : base(joinStart, type)
- {
- }
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected IBasicCommunicationJoinMap(uint joinStart, Type type)
+ : base(joinStart, type)
+ {
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/IDigitalInputJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/IDigitalInputJoinMap.cs
index 0f77fce3..ceed325d 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/IDigitalInputJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/IDigitalInputJoinMap.cs
@@ -1,36 +1,30 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class IDigitalInputJoinMap : JoinMapBaseAdvanced
{
+
+ [JoinName("InputState")]
+ public JoinDataComplete InputState = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Input State", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
///
- /// Represents a IDigitalInputJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class IDigitalInputJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public IDigitalInputJoinMap(uint joinStart)
+ : this(joinStart, typeof(IDigitalInputJoinMap))
{
- ///
- /// Input State
- ///
- [JoinName("InputState")]
- public JoinDataComplete InputState = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Input State", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+ }
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public IDigitalInputJoinMap(uint joinStart)
- : this(joinStart, typeof(IDigitalInputJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected IDigitalInputJoinMap(uint joinStart, Type type)
- : base(joinStart, type)
- {
- }
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected IDigitalInputJoinMap(uint joinStart, Type type)
+ : base(joinStart, type)
+ {
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/IDigitalOutputJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/IDigitalOutputJoinMap.cs
index 05895acb..8abb2b74 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/IDigitalOutputJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/IDigitalOutputJoinMap.cs
@@ -1,36 +1,30 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class IDigitalOutputJoinMap : JoinMapBaseAdvanced
{
+
+ [JoinName("OutputState")]
+ public JoinDataComplete OutputState = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Get / Set state of Digital Input", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
///
- /// Represents a IDigitalOutputJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class IDigitalOutputJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public IDigitalOutputJoinMap(uint joinStart)
+ : this(joinStart, typeof(IDigitalOutputJoinMap))
{
- ///
- /// Output State
- ///
- [JoinName("OutputState")]
- public JoinDataComplete OutputState = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Get / Set state of Digital Input", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+ }
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public IDigitalOutputJoinMap(uint joinStart)
- : this(joinStart, typeof(IDigitalOutputJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected IDigitalOutputJoinMap(uint joinStart, Type type)
- : base(joinStart, type)
- {
- }
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected IDigitalOutputJoinMap(uint joinStart, Type type)
+ : base(joinStart, type)
+ {
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/IRBlurayBaseJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/IRBlurayBaseJoinMap.cs
index 3e66eda6..d63a1f52 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/IRBlurayBaseJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/IRBlurayBaseJoinMap.cs
@@ -4,359 +4,218 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+///
+/// Join map for IRBlurayBase devices
+///
+public class IRBlurayBaseJoinMap : JoinMapBaseAdvanced
{
- ///
- /// Join map for IRBlurayBase devices
+ [JoinName("PowerOn")]
+ public JoinDataComplete PowerOn = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Power On", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("PowerOff")]
+ public JoinDataComplete PowerOff = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Power Off", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("PowerToggle")]
+ public JoinDataComplete PowerToggle = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "Power Toggle", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Up")]
+ public JoinDataComplete Up = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "Nav Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Down")]
+ public JoinDataComplete Down = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
+ new JoinMetadata { Description = "Nav Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Left")]
+ public JoinDataComplete Left = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
+ new JoinMetadata { Description = "Nav Left", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Right")]
+ public JoinDataComplete Right = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
+ new JoinMetadata { Description = "Nav Right", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Select")]
+ public JoinDataComplete Select = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 },
+ new JoinMetadata { Description = "Select", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Menu")]
+ public JoinDataComplete Menu = new JoinDataComplete(new JoinData { JoinNumber = 9, JoinSpan = 1 },
+ new JoinMetadata { Description = "Menu", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Exit")]
+ public JoinDataComplete Exit = new JoinDataComplete(new JoinData { JoinNumber = 10, JoinSpan = 1 },
+ new JoinMetadata { Description = "Exit", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Digit0")]
+ public JoinDataComplete Digit0 = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
+ new JoinMetadata { Description = "Digit 0", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Digit1")]
+ public JoinDataComplete Digit1 = new JoinDataComplete(new JoinData { JoinNumber = 12, JoinSpan = 1 },
+ new JoinMetadata { Description = "Digit 1", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Digit2")]
+ public JoinDataComplete Digit2 = new JoinDataComplete(new JoinData { JoinNumber = 13, JoinSpan = 1 },
+ new JoinMetadata { Description = "Digit 2", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Digit3")]
+ public JoinDataComplete Digit3 = new JoinDataComplete(new JoinData { JoinNumber = 14, JoinSpan = 1 },
+ new JoinMetadata { Description = "Digit 3", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Digit4")]
+ public JoinDataComplete Digit4 = new JoinDataComplete(new JoinData { JoinNumber = 15, JoinSpan = 1 },
+ new JoinMetadata { Description = "Digit 4", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Digit5")]
+ public JoinDataComplete Digit5 = new JoinDataComplete(new JoinData { JoinNumber = 16, JoinSpan = 1 },
+ new JoinMetadata { Description = "Digit 5", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Digit6")]
+ public JoinDataComplete Digit6 = new JoinDataComplete(new JoinData { JoinNumber = 17, JoinSpan = 1 },
+ new JoinMetadata { Description = "Digit 6", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Digit7")]
+ public JoinDataComplete Digit7 = new JoinDataComplete(new JoinData { JoinNumber = 18, JoinSpan = 1 },
+ new JoinMetadata { Description = "Digit 7", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Digit8")]
+ public JoinDataComplete Digit8 = new JoinDataComplete(new JoinData { JoinNumber = 19, JoinSpan = 1 },
+ new JoinMetadata { Description = "Digit 8", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Digit9")]
+ public JoinDataComplete Digit9 = new JoinDataComplete(new JoinData { JoinNumber = 20, JoinSpan = 1 },
+ new JoinMetadata { Description = "Digit 9", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("KeypadClear")]
+ public JoinDataComplete KeypadClear = new JoinDataComplete(new JoinData { JoinNumber = 21, JoinSpan = 1 },
+ new JoinMetadata { Description = "Keypad Clear", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("KeypadEnter")]
+ public JoinDataComplete KeypadEnter = new JoinDataComplete(new JoinData { JoinNumber = 22, JoinSpan = 1 },
+ new JoinMetadata { Description = "Keypad Enter", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("ChannelUp")]
+ public JoinDataComplete ChannelUp = new JoinDataComplete(new JoinData { JoinNumber = 23, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Channel Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("ChannelDown")]
+ public JoinDataComplete ChannelDown = new JoinDataComplete(new JoinData { JoinNumber = 24, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Channel Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("LastChannel")]
+ public JoinDataComplete LastChannel = new JoinDataComplete(new JoinData { JoinNumber = 25, JoinSpan = 1 },
+ new JoinMetadata { Description = "Last Channel", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Guide")]
+ public JoinDataComplete Guide = new JoinDataComplete(new JoinData { JoinNumber = 26, JoinSpan = 1 },
+ new JoinMetadata { Description = "Guide", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Info")]
+ public JoinDataComplete Info = new JoinDataComplete(new JoinData { JoinNumber = 27, JoinSpan = 1 },
+ new JoinMetadata { Description = "Info", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Red")]
+ public JoinDataComplete Red = new JoinDataComplete(new JoinData { JoinNumber = 28, JoinSpan = 1 },
+ new JoinMetadata { Description = "Red", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Green")]
+ public JoinDataComplete Green = new JoinDataComplete(new JoinData { JoinNumber = 29, JoinSpan = 1 },
+ new JoinMetadata { Description = "Green", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Yellow")]
+ public JoinDataComplete Yellow = new JoinDataComplete(new JoinData { JoinNumber = 30, JoinSpan = 1 },
+ new JoinMetadata { Description = "Yellow", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Blue")]
+ public JoinDataComplete Blue = new JoinDataComplete(new JoinData { JoinNumber = 31, JoinSpan = 1 },
+ new JoinMetadata { Description = "Blue", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+
+ [JoinName("Play")]
+ public JoinDataComplete Play = new JoinDataComplete(new JoinData { JoinNumber = 33, JoinSpan = 1 },
+ new JoinMetadata { Description = "Play", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Pause")]
+ public JoinDataComplete Pause = new JoinDataComplete(new JoinData { JoinNumber = 34, JoinSpan = 1 },
+ new JoinMetadata { Description = "Pause", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Stop")]
+ public JoinDataComplete Stop = new JoinDataComplete(new JoinData { JoinNumber = 35, JoinSpan = 1 },
+ new JoinMetadata { Description = "Stop", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("FFwd")]
+ public JoinDataComplete FFwd = new JoinDataComplete(new JoinData { JoinNumber = 36, JoinSpan = 1 },
+ new JoinMetadata { Description = "FFwd", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Rewind")]
+ public JoinDataComplete Rewind = new JoinDataComplete(new JoinData { JoinNumber = 37, JoinSpan = 1 },
+ new JoinMetadata { Description = "Rewind", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("ChapPlus")]
+ public JoinDataComplete ChapPlus = new JoinDataComplete(new JoinData { JoinNumber = 38, JoinSpan = 1 },
+ new JoinMetadata { Description = "Chapter Plus", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("ChapMinus")]
+ public JoinDataComplete ChapMinus = new JoinDataComplete(new JoinData { JoinNumber = 39, JoinSpan = 1 },
+ new JoinMetadata { Description = "Chapter Minus", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Replay")]
+ public JoinDataComplete Replay = new JoinDataComplete(new JoinData { JoinNumber = 40, JoinSpan = 1 },
+ new JoinMetadata { Description = "Replay", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Record")]
+ public JoinDataComplete Record = new JoinDataComplete(new JoinData { JoinNumber = 41, JoinSpan = 1 },
+ new JoinMetadata { Description = "Record", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("HasKeypadAccessoryButton1")]
+ public JoinDataComplete HasKeypadAccessoryButton1 = new JoinDataComplete(new JoinData { JoinNumber = 42, JoinSpan = 1 },
+ new JoinMetadata { Description = "Has Keypad Accessory Button 1", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("HasKeypadAccessoryButton2")]
+ public JoinDataComplete HasKeypadAccessoryButton2 = new JoinDataComplete(new JoinData { JoinNumber = 43, JoinSpan = 1 },
+ new JoinMetadata { Description = "Has Keypad Accessory Button 2", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("KeypadAccessoryButton1Press")]
+ public JoinDataComplete KeypadAccessoryButton1Press = new JoinDataComplete(new JoinData { JoinNumber = 42, JoinSpan = 2 },
+ new JoinMetadata { Description = "Keypad Accessory Button 1 Press", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("KeypadAccessoryButton2Press")]
+ public JoinDataComplete KeypadAccessoryButton2Press = new JoinDataComplete(new JoinData { JoinNumber = 43, JoinSpan = 2 },
+ new JoinMetadata { Description = "Keypad Accessory Button 2 Press", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Name")]
+ public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("KeypadAccessoryButton1Label")]
+ public JoinDataComplete KeypadAccessoryButton1Label = new JoinDataComplete(new JoinData { JoinNumber = 42, JoinSpan = 1 },
+ new JoinMetadata { Description = "Keypad Accessory Button 1 Label", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("KeypadAccessoryButton2Label")]
+ public JoinDataComplete KeypadAccessoryButton2Label = new JoinDataComplete(new JoinData { JoinNumber = 43, JoinSpan = 1 },
+ new JoinMetadata { Description = "Keypad Accessory Button 1 Label", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ ///
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class IRBlurayBaseJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public IRBlurayBaseJoinMap(uint joinStart)
+ : this(joinStart, typeof(IRBlurayBaseJoinMap))
{
- ///
- /// Power On
- ///
- [JoinName("PowerOn")]
- public JoinDataComplete PowerOn = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Power On", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+ }
- ///
- /// Power Off
- ///
- [JoinName("PowerOff")]
- public JoinDataComplete PowerOff = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Power Off", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Power Toggle
- ///
- [JoinName("PowerToggle")]
- public JoinDataComplete PowerToggle = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "Power Toggle", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Nav Up
- ///
- [JoinName("Up")]
- public JoinDataComplete Up = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "Nav Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Nav Down
- ///
- [JoinName("Down")]
- public JoinDataComplete Down = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
- new JoinMetadata { Description = "Nav Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Nav Left
- ///
- [JoinName("Left")]
- public JoinDataComplete Left = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
- new JoinMetadata { Description = "Nav Left", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Nav Right
- ///
- [JoinName("Right")]
- public JoinDataComplete Right = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
- new JoinMetadata { Description = "Nav Right", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Select
- ///
- [JoinName("Select")]
- public JoinDataComplete Select = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 },
- new JoinMetadata { Description = "Select", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Menu
- ///
- [JoinName("Menu")]
- public JoinDataComplete Menu = new JoinDataComplete(new JoinData { JoinNumber = 9, JoinSpan = 1 },
- new JoinMetadata { Description = "Menu", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Exit
- ///
- [JoinName("Exit")]
- public JoinDataComplete Exit = new JoinDataComplete(new JoinData { JoinNumber = 10, JoinSpan = 1 },
- new JoinMetadata { Description = "Exit", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Digit 0
- ///
- [JoinName("Digit0")]
- public JoinDataComplete Digit0 = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
- new JoinMetadata { Description = "Digit 0", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Digit 1
- ///
- [JoinName("Digit1")]
- public JoinDataComplete Digit1 = new JoinDataComplete(new JoinData { JoinNumber = 12, JoinSpan = 1 },
- new JoinMetadata { Description = "Digit 1", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Digit 2
- ///
- [JoinName("Digit2")]
- public JoinDataComplete Digit2 = new JoinDataComplete(new JoinData { JoinNumber = 13, JoinSpan = 1 },
- new JoinMetadata { Description = "Digit 2", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Digit 3
- ///
- [JoinName("Digit3")]
- public JoinDataComplete Digit3 = new JoinDataComplete(new JoinData { JoinNumber = 14, JoinSpan = 1 },
- new JoinMetadata { Description = "Digit 3", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Digit 4
- ///
- [JoinName("Digit4")]
- public JoinDataComplete Digit4 = new JoinDataComplete(new JoinData { JoinNumber = 15, JoinSpan = 1 },
- new JoinMetadata { Description = "Digit 4", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Digit 5
- ///
- [JoinName("Digit5")]
- public JoinDataComplete Digit5 = new JoinDataComplete(new JoinData { JoinNumber = 16, JoinSpan = 1 },
- new JoinMetadata { Description = "Digit 5", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Digit 6
- ///
- [JoinName("Digit6")]
- public JoinDataComplete Digit6 = new JoinDataComplete(new JoinData { JoinNumber = 17, JoinSpan = 1 },
- new JoinMetadata { Description = "Digit 6", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Digit 7
- ///
- [JoinName("Digit7")]
- public JoinDataComplete Digit7 = new JoinDataComplete(new JoinData { JoinNumber = 18, JoinSpan = 1 },
- new JoinMetadata { Description = "Digit 7", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Digit 8
- ///
- [JoinName("Digit8")]
- public JoinDataComplete Digit8 = new JoinDataComplete(new JoinData { JoinNumber = 19, JoinSpan = 1 },
- new JoinMetadata { Description = "Digit 8", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Digit 9
- ///
- [JoinName("Digit9")]
- public JoinDataComplete Digit9 = new JoinDataComplete(new JoinData { JoinNumber = 20, JoinSpan = 1 },
- new JoinMetadata { Description = "Digit 9", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Keypad Clear
- ///
- [JoinName("KeypadClear")]
- public JoinDataComplete KeypadClear = new JoinDataComplete(new JoinData { JoinNumber = 21, JoinSpan = 1 },
- new JoinMetadata { Description = "Keypad Clear", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Keypad Enter
- ///
- [JoinName("KeypadEnter")]
- public JoinDataComplete KeypadEnter = new JoinDataComplete(new JoinData { JoinNumber = 22, JoinSpan = 1 },
- new JoinMetadata { Description = "Keypad Enter", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Channel Up
- ///
- [JoinName("ChannelUp")]
- public JoinDataComplete ChannelUp = new JoinDataComplete(new JoinData { JoinNumber = 23, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Channel Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Channel Down
- ///
- [JoinName("ChannelDown")]
- public JoinDataComplete ChannelDown = new JoinDataComplete(new JoinData { JoinNumber = 24, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Channel Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Last Channel
- ///
- [JoinName("LastChannel")]
- public JoinDataComplete LastChannel = new JoinDataComplete(new JoinData { JoinNumber = 25, JoinSpan = 1 },
- new JoinMetadata { Description = "Last Channel", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Guide
- ///
- [JoinName("Guide")]
- public JoinDataComplete Guide = new JoinDataComplete(new JoinData { JoinNumber = 26, JoinSpan = 1 },
- new JoinMetadata { Description = "Guide", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Info
- ///
- [JoinName("Info")]
- public JoinDataComplete Info = new JoinDataComplete(new JoinData { JoinNumber = 27, JoinSpan = 1 },
- new JoinMetadata { Description = "Info", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Red
- ///
- [JoinName("Red")]
- public JoinDataComplete Red = new JoinDataComplete(new JoinData { JoinNumber = 28, JoinSpan = 1 },
- new JoinMetadata { Description = "Red", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Green
- ///
- [JoinName("Green")]
- public JoinDataComplete Green = new JoinDataComplete(new JoinData { JoinNumber = 29, JoinSpan = 1 },
- new JoinMetadata { Description = "Green", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Yellow
- ///
- [JoinName("Yellow")]
- public JoinDataComplete Yellow = new JoinDataComplete(new JoinData { JoinNumber = 30, JoinSpan = 1 },
- new JoinMetadata { Description = "Yellow", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Blue
- ///
- [JoinName("Blue")]
- public JoinDataComplete Blue = new JoinDataComplete(new JoinData { JoinNumber = 31, JoinSpan = 1 },
- new JoinMetadata { Description = "Blue", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Play
- ///
- [JoinName("Play")]
- public JoinDataComplete Play = new JoinDataComplete(new JoinData { JoinNumber = 33, JoinSpan = 1 },
- new JoinMetadata { Description = "Play", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Pause
- ///
- [JoinName("Pause")]
- public JoinDataComplete Pause = new JoinDataComplete(new JoinData { JoinNumber = 34, JoinSpan = 1 },
- new JoinMetadata { Description = "Pause", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Stop
- ///
- [JoinName("Stop")]
- public JoinDataComplete Stop = new JoinDataComplete(new JoinData { JoinNumber = 35, JoinSpan = 1 },
- new JoinMetadata { Description = "Stop", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Fast Forward
- ///
- [JoinName("FFwd")]
- public JoinDataComplete FFwd = new JoinDataComplete(new JoinData { JoinNumber = 36, JoinSpan = 1 },
- new JoinMetadata { Description = "FFwd", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Rewind
- ///
- [JoinName("Rewind")]
- public JoinDataComplete Rewind = new JoinDataComplete(new JoinData { JoinNumber = 37, JoinSpan = 1 },
- new JoinMetadata { Description = "Rewind", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Chapter Plus
- ///
- [JoinName("ChapPlus")]
- public JoinDataComplete ChapPlus = new JoinDataComplete(new JoinData { JoinNumber = 38, JoinSpan = 1 },
- new JoinMetadata { Description = "Chapter Plus", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Chapter Minus
- ///
- [JoinName("ChapMinus")]
- public JoinDataComplete ChapMinus = new JoinDataComplete(new JoinData { JoinNumber = 39, JoinSpan = 1 },
- new JoinMetadata { Description = "Chapter Minus", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Replay
- ///
- [JoinName("Replay")]
- public JoinDataComplete Replay = new JoinDataComplete(new JoinData { JoinNumber = 40, JoinSpan = 1 },
- new JoinMetadata { Description = "Replay", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Record
- ///
- [JoinName("Record")]
- public JoinDataComplete Record = new JoinDataComplete(new JoinData { JoinNumber = 41, JoinSpan = 1 },
- new JoinMetadata { Description = "Record", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Has Keypad Accessory Button 1
- ///
- [JoinName("HasKeypadAccessoryButton1")]
- public JoinDataComplete HasKeypadAccessoryButton1 = new JoinDataComplete(new JoinData { JoinNumber = 42, JoinSpan = 1 },
- new JoinMetadata { Description = "Has Keypad Accessory Button 1", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Has Keypad Accessory Button 2
- ///
- [JoinName("HasKeypadAccessoryButton2")]
- public JoinDataComplete HasKeypadAccessoryButton2 = new JoinDataComplete(new JoinData { JoinNumber = 43, JoinSpan = 1 },
- new JoinMetadata { Description = "Has Keypad Accessory Button 2", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Keypad Accessory Button 1 Press
- ///
- [JoinName("KeypadAccessoryButton1Press")]
- public JoinDataComplete KeypadAccessoryButton1Press = new JoinDataComplete(new JoinData { JoinNumber = 42, JoinSpan = 2 },
- new JoinMetadata { Description = "Keypad Accessory Button 1 Press", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Keypad Accessory Button 2 Press
- ///
- [JoinName("KeypadAccessoryButton2Press")]
- public JoinDataComplete KeypadAccessoryButton2Press = new JoinDataComplete(new JoinData { JoinNumber = 43, JoinSpan = 2 },
- new JoinMetadata { Description = "Keypad Accessory Button 2 Press", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Name
- ///
- [JoinName("Name")]
- public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Keypad Accessory Button 1 Label
- ///
- [JoinName("KeypadAccessoryButton1Label")]
- public JoinDataComplete KeypadAccessoryButton1Label = new JoinDataComplete(new JoinData { JoinNumber = 42, JoinSpan = 1 },
- new JoinMetadata { Description = "Keypad Accessory Button 1 Label", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// Keypad Accessory Button 2 Label
- ///
- [JoinName("KeypadAccessoryButton2Label")]
- public JoinDataComplete KeypadAccessoryButton2Label = new JoinDataComplete(new JoinData { JoinNumber = 43, JoinSpan = 1 },
- new JoinMetadata { Description = "Keypad Accessory Button 1 Label", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public IRBlurayBaseJoinMap(uint joinStart)
- : this(joinStart, typeof(IRBlurayBaseJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected IRBlurayBaseJoinMap(uint joinStart, Type type)
- : base(joinStart, type)
- {
- }
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected IRBlurayBaseJoinMap(uint joinStart, Type type)
+ : base(joinStart, type)
+ {
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/PduJoinMapBase.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/PduJoinMapBase.cs
index f52b96c4..10bf590d 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/PduJoinMapBase.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/PduJoinMapBase.cs
@@ -1,87 +1,59 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class PduJoinMapBase : JoinMapBaseAdvanced
{
+ [JoinName("Name")]
+ public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "PDU Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("Online")]
+ public JoinDataComplete Online = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("OutletCount")]
+ public JoinDataComplete OutletCount = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Number of COntrolled Outlets", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("OutletName")]
+ public JoinDataComplete OutletName = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
+ new JoinMetadata { Description = "Outlet Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("OutletEnabled")]
+ public JoinDataComplete OutletEnabled = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
+ new JoinMetadata { Description = "Outlet Enabled", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("OutletPowerCycle")]
+ public JoinDataComplete OutletPowerCycle = new JoinDataComplete(new JoinData { JoinNumber = 12, JoinSpan = 1 },
+ new JoinMetadata { Description = "Outlet Power Cycle", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("OutletPowerOn")]
+ public JoinDataComplete OutletPowerOn = new JoinDataComplete(new JoinData { JoinNumber = 13, JoinSpan = 1 },
+ new JoinMetadata { Description = "Outlet Power On", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("OutletPowerOff")]
+ public JoinDataComplete OutletPowerOff = new JoinDataComplete(new JoinData { JoinNumber = 14, JoinSpan = 1 },
+ new JoinMetadata { Description = "Outlet Power Off", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+
+
///
- /// Represents a PduJoinMapBase
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class PduJoinMapBase : JoinMapBaseAdvanced
- {
- ///
- /// PDU Name
- ///
- [JoinName("Name")]
- public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "PDU Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ /// Join this join map will start at
+ public PduJoinMapBase(uint joinStart)
+ :base(joinStart, typeof(PduJoinMapBase))
+ {
+ }
- ///
- /// PDU Online Status
- ///
- [JoinName("Online")]
- public JoinDataComplete Online = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Number of Controlled Outlets
- ///
- [JoinName("OutletCount")]
- public JoinDataComplete OutletCount = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Number of COntrolled Outlets", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Outlet Name
- ///
- [JoinName("OutletName")]
- public JoinDataComplete OutletName = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
- new JoinMetadata { Description = "Outlet Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// Outlet Enabled Status
- ///
- [JoinName("OutletEnabled")]
- public JoinDataComplete OutletEnabled = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
- new JoinMetadata { Description = "Outlet Enabled", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Outlet Power State
- ///
- [JoinName("OutletPowerCycle")]
- public JoinDataComplete OutletPowerCycle = new JoinDataComplete(new JoinData { JoinNumber = 12, JoinSpan = 1 },
- new JoinMetadata { Description = "Outlet Power Cycle", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Outlet Power On
- ///
- [JoinName("OutletPowerOn")]
- public JoinDataComplete OutletPowerOn = new JoinDataComplete(new JoinData { JoinNumber = 13, JoinSpan = 1 },
- new JoinMetadata { Description = "Outlet Power On", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Outlet Power Off
- ///
- [JoinName("OutletPowerOff")]
- public JoinDataComplete OutletPowerOff = new JoinDataComplete(new JoinData { JoinNumber = 14, JoinSpan = 1 },
- new JoinMetadata { Description = "Outlet Power Off", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
-
-
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public PduJoinMapBase(uint joinStart)
- :base(joinStart, typeof(PduJoinMapBase))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- public PduJoinMapBase(uint joinStart, Type type)
- : base(joinStart, type)
- {
- }
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ public PduJoinMapBase(uint joinStart, Type type)
+ : base(joinStart, type)
+ {
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/SetTopBoxControllerJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/SetTopBoxControllerJoinMap.cs
index ce9a4290..0705eb93 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/SetTopBoxControllerJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/SetTopBoxControllerJoinMap.cs
@@ -1,402 +1,239 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class SetTopBoxControllerJoinMap : JoinMapBaseAdvanced
{
+ [JoinName("PowerOn")]
+ public JoinDataComplete PowerOn = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Power On", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("PowerOff")]
+ public JoinDataComplete PowerOff = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Power Off", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("PowerToggle")]
+ public JoinDataComplete PowerToggle = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Power Toggle", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("HasDpad")]
+ public JoinDataComplete HasDpad = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Has DPad", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Up")]
+ public JoinDataComplete Up = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Nav Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Down")]
+ public JoinDataComplete Down = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Nav Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Left")]
+ public JoinDataComplete Left = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Nav Left", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Right")]
+ public JoinDataComplete Right = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Nav Right", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Select")]
+ public JoinDataComplete Select = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Select", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Menu")]
+ public JoinDataComplete Menu = new JoinDataComplete(new JoinData { JoinNumber = 9, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Menu", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Exit")]
+ public JoinDataComplete Exit = new JoinDataComplete(new JoinData { JoinNumber = 10, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Exit", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("HasNumeric")]
+ public JoinDataComplete HasNumeric = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Has Numeric", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Digit0")]
+ public JoinDataComplete Digit0 = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Digit 0", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Digit1")]
+ public JoinDataComplete Digit1 = new JoinDataComplete(new JoinData { JoinNumber = 12, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Digit 1", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Digit2")]
+ public JoinDataComplete Digit2 = new JoinDataComplete(new JoinData { JoinNumber = 13, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Digit 2", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Digit3")]
+ public JoinDataComplete Digit3 = new JoinDataComplete(new JoinData { JoinNumber = 14, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Digit 3", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Digit4")]
+ public JoinDataComplete Digit4 = new JoinDataComplete(new JoinData { JoinNumber = 15, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Digit 4", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Digit5")]
+ public JoinDataComplete Digit5 = new JoinDataComplete(new JoinData { JoinNumber = 16, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Digit 5", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Digit6")]
+ public JoinDataComplete Digit6 = new JoinDataComplete(new JoinData { JoinNumber = 17, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Digit 6", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Digit7")]
+ public JoinDataComplete Digit7 = new JoinDataComplete(new JoinData { JoinNumber = 18, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Digit 7", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Digit8")]
+ public JoinDataComplete Digit8 = new JoinDataComplete(new JoinData { JoinNumber = 19, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Digit 8", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Digit9")]
+ public JoinDataComplete Digit9 = new JoinDataComplete(new JoinData { JoinNumber = 20, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Digit 9", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Dash")]
+ public JoinDataComplete Dash = new JoinDataComplete(new JoinData { JoinNumber = 21, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Dash", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("KeypadEnter")]
+ public JoinDataComplete KeypadEnter = new JoinDataComplete(new JoinData { JoinNumber = 22, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Keypad Enter", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("ChannelUp")]
+ public JoinDataComplete ChannelUp = new JoinDataComplete(new JoinData { JoinNumber = 23, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Channel Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("ChannelDown")]
+ public JoinDataComplete ChannelDown = new JoinDataComplete(new JoinData { JoinNumber = 24, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Channel Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("LastChannel")]
+ public JoinDataComplete LastChannel = new JoinDataComplete(new JoinData { JoinNumber = 25, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Last Channel", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Guide")]
+ public JoinDataComplete Guide = new JoinDataComplete(new JoinData { JoinNumber = 26, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Guide", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Info")]
+ public JoinDataComplete Info = new JoinDataComplete(new JoinData { JoinNumber = 27, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Info", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Red")]
+ public JoinDataComplete Red = new JoinDataComplete(new JoinData { JoinNumber = 28, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Red", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Green")]
+ public JoinDataComplete Green = new JoinDataComplete(new JoinData { JoinNumber = 29, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Green", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Yellow")]
+ public JoinDataComplete Yellow = new JoinDataComplete(new JoinData { JoinNumber = 30, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Yellow", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Blue")]
+ public JoinDataComplete Blue = new JoinDataComplete(new JoinData { JoinNumber = 31, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Blue", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("HasDvr")]
+ public JoinDataComplete HasDvr = new JoinDataComplete(new JoinData { JoinNumber = 32, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Has DVR", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("DvrList")]
+ public JoinDataComplete DvrList = new JoinDataComplete(new JoinData { JoinNumber = 32, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB DvrList", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Play")]
+ public JoinDataComplete Play = new JoinDataComplete(new JoinData { JoinNumber = 33, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Play", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Pause")]
+ public JoinDataComplete Pause = new JoinDataComplete(new JoinData { JoinNumber = 34, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Pause", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Stop")]
+ public JoinDataComplete Stop = new JoinDataComplete(new JoinData { JoinNumber = 35, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Stop", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("FFwd")]
+ public JoinDataComplete FFwd = new JoinDataComplete(new JoinData { JoinNumber = 36, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB FFwd", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Rewind")]
+ public JoinDataComplete Rewind = new JoinDataComplete(new JoinData { JoinNumber = 37, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Rewind", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("ChapPlus")]
+ public JoinDataComplete ChapPlus = new JoinDataComplete(new JoinData { JoinNumber = 38, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Chapter Plus", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("ChapMinus")]
+ public JoinDataComplete ChapMinus = new JoinDataComplete(new JoinData { JoinNumber = 39, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Chapter Minus", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Replay")]
+ public JoinDataComplete Replay = new JoinDataComplete(new JoinData { JoinNumber = 40, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Replay", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Record")]
+ public JoinDataComplete Record = new JoinDataComplete(new JoinData { JoinNumber = 41, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Record", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("HasKeypadAccessoryButton1")]
+ public JoinDataComplete HasKeypadAccessoryButton1 = new JoinDataComplete(new JoinData { JoinNumber = 42, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Has Keypad Accessory Button 1", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("HasKeypadAccessoryButton2")]
+ public JoinDataComplete HasKeypadAccessoryButton2 = new JoinDataComplete(new JoinData { JoinNumber = 43, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Has Keypad Accessory Button 2", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("KeypadAccessoryButton1Press")]
+ public JoinDataComplete KeypadAccessoryButton1Press = new JoinDataComplete(new JoinData { JoinNumber = 42, JoinSpan = 2 },
+ new JoinMetadata { Description = "STB Keypad Accessory Button 1 Press", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("KeypadAccessoryButton2Press")]
+ public JoinDataComplete KeypadAccessoryButton2Press = new JoinDataComplete(new JoinData { JoinNumber = 43, JoinSpan = 2 },
+ new JoinMetadata { Description = "STB Keypad Accessory Button 2 Press", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Name")]
+ public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("KeypadAccessoryButton1Label")]
+ public JoinDataComplete KeypadAccessoryButton1Label = new JoinDataComplete(new JoinData { JoinNumber = 42, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Keypad Accessory Button 1 Label", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("KeypadAccessoryButton2Label")]
+ public JoinDataComplete KeypadAccessoryButton2Label = new JoinDataComplete(new JoinData { JoinNumber = 43, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Keypad Accessory Button 1 Label", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("LoadPresets")]
+ public JoinDataComplete LoadPresets = new JoinDataComplete(new JoinData { JoinNumber = 50, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Load Presets", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("HasPresets")]
+ public JoinDataComplete HasPresets = new JoinDataComplete(new JoinData { JoinNumber = 50, JoinSpan = 1 },
+ new JoinMetadata { Description = "STB Load Presets", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+
///
- /// Represents a SetTopBoxControllerJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class SetTopBoxControllerJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public SetTopBoxControllerJoinMap(uint joinStart)
+ : this(joinStart, typeof(SetTopBoxControllerJoinMap))
{
- ///
- /// STB Power On
- ///
- [JoinName("PowerOn")]
- public JoinDataComplete PowerOn = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Power On", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
+ }
- ///
- /// STB Power Off
- ///
- [JoinName("PowerOff")]
- public JoinDataComplete PowerOff = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Power Off", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Power Toggle
- ///
- [JoinName("PowerToggle")]
- public JoinDataComplete PowerToggle = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Power Toggle", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Has DPad
- ///
- [JoinName("HasDpad")]
- public JoinDataComplete HasDpad = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Has DPad", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Nav Up
- ///
- [JoinName("Up")]
- public JoinDataComplete Up = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Nav Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Nav Down
- ///
- [JoinName("Down")]
- public JoinDataComplete Down = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Nav Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Nav Left
- ///
- [JoinName("Left")]
- public JoinDataComplete Left = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Nav Left", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Nav Right
- ///
- [JoinName("Right")]
- public JoinDataComplete Right = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Nav Right", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Select
- ///
- [JoinName("Select")]
- public JoinDataComplete Select = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Select", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Menu
- ///
- [JoinName("Menu")]
- public JoinDataComplete Menu = new JoinDataComplete(new JoinData { JoinNumber = 9, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Menu", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Exit
- ///
- [JoinName("Exit")]
- public JoinDataComplete Exit = new JoinDataComplete(new JoinData { JoinNumber = 10, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Exit", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Has Numeric
- ///
- [JoinName("HasNumeric")]
- public JoinDataComplete HasNumeric = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Has Numeric", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Digit 0
- ///
- [JoinName("Digit0")]
- public JoinDataComplete Digit0 = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Digit 0", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Digit 1
- ///
- [JoinName("Digit1")]
- public JoinDataComplete Digit1 = new JoinDataComplete(new JoinData { JoinNumber = 12, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Digit 1", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Digit 2
- ///
- [JoinName("Digit2")]
- public JoinDataComplete Digit2 = new JoinDataComplete(new JoinData { JoinNumber = 13, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Digit 2", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Digit 3
- ///
- [JoinName("Digit3")]
- public JoinDataComplete Digit3 = new JoinDataComplete(new JoinData { JoinNumber = 14, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Digit 3", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Digit 4
- ///
- [JoinName("Digit4")]
- public JoinDataComplete Digit4 = new JoinDataComplete(new JoinData { JoinNumber = 15, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Digit 4", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Digit 5
- ///
- [JoinName("Digit5")]
- public JoinDataComplete Digit5 = new JoinDataComplete(new JoinData { JoinNumber = 16, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Digit 5", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Digit 6
- ///
- [JoinName("Digit6")]
- public JoinDataComplete Digit6 = new JoinDataComplete(new JoinData { JoinNumber = 17, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Digit 6", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Digit 7
- ///
- [JoinName("Digit7")]
- public JoinDataComplete Digit7 = new JoinDataComplete(new JoinData { JoinNumber = 18, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Digit 7", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Digit 8
- ///
- [JoinName("Digit8")]
- public JoinDataComplete Digit8 = new JoinDataComplete(new JoinData { JoinNumber = 19, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Digit 8", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Digit 9
- ///
- [JoinName("Digit9")]
- public JoinDataComplete Digit9 = new JoinDataComplete(new JoinData { JoinNumber = 20, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Digit 9", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Dash
- ///
- [JoinName("Dash")]
- public JoinDataComplete Dash = new JoinDataComplete(new JoinData { JoinNumber = 21, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Dash", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Keypad Enter
- ///
- [JoinName("KeypadEnter")]
- public JoinDataComplete KeypadEnter = new JoinDataComplete(new JoinData { JoinNumber = 22, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Keypad Enter", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Channel Up
- ///
- [JoinName("ChannelUp")]
- public JoinDataComplete ChannelUp = new JoinDataComplete(new JoinData { JoinNumber = 23, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Channel Up", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Channel Down
- ///
- [JoinName("ChannelDown")]
- public JoinDataComplete ChannelDown = new JoinDataComplete(new JoinData { JoinNumber = 24, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Channel Down", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Last Channel
- ///
- [JoinName("LastChannel")]
- public JoinDataComplete LastChannel = new JoinDataComplete(new JoinData { JoinNumber = 25, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Last Channel", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Guide
- ///
- [JoinName("Guide")]
- public JoinDataComplete Guide = new JoinDataComplete(new JoinData { JoinNumber = 26, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Guide", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Info
- ///
- [JoinName("Info")]
- public JoinDataComplete Info = new JoinDataComplete(new JoinData { JoinNumber = 27, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Info", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Red
- ///
- [JoinName("Red")]
- public JoinDataComplete Red = new JoinDataComplete(new JoinData { JoinNumber = 28, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Red", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Green
- ///
- [JoinName("Green")]
- public JoinDataComplete Green = new JoinDataComplete(new JoinData { JoinNumber = 29, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Green", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Yellow
- ///
- [JoinName("Yellow")]
- public JoinDataComplete Yellow = new JoinDataComplete(new JoinData { JoinNumber = 30, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Yellow", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Blue
- ///
- [JoinName("Blue")]
- public JoinDataComplete Blue = new JoinDataComplete(new JoinData { JoinNumber = 31, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Blue", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Has DVR
- ///
- [JoinName("HasDvr")]
- public JoinDataComplete HasDvr = new JoinDataComplete(new JoinData { JoinNumber = 32, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Has DVR", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Dvr List
- ///
- [JoinName("DvrList")]
- public JoinDataComplete DvrList = new JoinDataComplete(new JoinData { JoinNumber = 32, JoinSpan = 1 },
- new JoinMetadata { Description = "STB DvrList", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Play
- ///
- [JoinName("Play")]
- public JoinDataComplete Play = new JoinDataComplete(new JoinData { JoinNumber = 33, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Play", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Pause
- ///
- [JoinName("Pause")]
- public JoinDataComplete Pause = new JoinDataComplete(new JoinData { JoinNumber = 34, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Pause", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Stop
- ///
- [JoinName("Stop")]
- public JoinDataComplete Stop = new JoinDataComplete(new JoinData { JoinNumber = 35, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Stop", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB FFwd
- ///
- [JoinName("FFwd")]
- public JoinDataComplete FFwd = new JoinDataComplete(new JoinData { JoinNumber = 36, JoinSpan = 1 },
- new JoinMetadata { Description = "STB FFwd", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Rewind
- ///
- [JoinName("Rewind")]
- public JoinDataComplete Rewind = new JoinDataComplete(new JoinData { JoinNumber = 37, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Rewind", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Chapter Plus
- ///
- [JoinName("ChapPlus")]
- public JoinDataComplete ChapPlus = new JoinDataComplete(new JoinData { JoinNumber = 38, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Chapter Plus", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Chapter Minus
- ///
- [JoinName("ChapMinus")]
- public JoinDataComplete ChapMinus = new JoinDataComplete(new JoinData { JoinNumber = 39, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Chapter Minus", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Replay
- ///
- [JoinName("Replay")]
- public JoinDataComplete Replay = new JoinDataComplete(new JoinData { JoinNumber = 40, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Replay", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Record
- ///
- [JoinName("Record")]
- public JoinDataComplete Record = new JoinDataComplete(new JoinData { JoinNumber = 41, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Record", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Has Keypad Accessory Button 1
- ///
- [JoinName("HasKeypadAccessoryButton1")]
- public JoinDataComplete HasKeypadAccessoryButton1 = new JoinDataComplete(new JoinData { JoinNumber = 42, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Has Keypad Accessory Button 1", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Has Keypad Accessory Button 2
- ///
- [JoinName("HasKeypadAccessoryButton2")]
- public JoinDataComplete HasKeypadAccessoryButton2 = new JoinDataComplete(new JoinData { JoinNumber = 43, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Has Keypad Accessory Button 2", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Keypad Accessory Button 1 Press
- ///
- [JoinName("KeypadAccessoryButton1Press")]
- public JoinDataComplete KeypadAccessoryButton1Press = new JoinDataComplete(new JoinData { JoinNumber = 42, JoinSpan = 2 },
- new JoinMetadata { Description = "STB Keypad Accessory Button 1 Press", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Keypad Accessory Button 2 Press
- ///
- [JoinName("KeypadAccessoryButton2Press")]
- public JoinDataComplete KeypadAccessoryButton2Press = new JoinDataComplete(new JoinData { JoinNumber = 43, JoinSpan = 2 },
- new JoinMetadata { Description = "STB Keypad Accessory Button 2 Press", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Name
- ///
- [JoinName("Name")]
- public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Keypad Accessory Button 1 Label
- ///
- [JoinName("KeypadAccessoryButton1Label")]
- public JoinDataComplete KeypadAccessoryButton1Label = new JoinDataComplete(new JoinData { JoinNumber = 42, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Keypad Accessory Button 1 Label", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// STB Keypad Accessory Button 2 Label
- ///
- [JoinName("KeypadAccessoryButton2Label")]
- public JoinDataComplete KeypadAccessoryButton2Label = new JoinDataComplete(new JoinData { JoinNumber = 43, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Keypad Accessory Button 1 Label", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// STB Load Presets
- ///
- [JoinName("LoadPresets")]
- public JoinDataComplete LoadPresets = new JoinDataComplete(new JoinData { JoinNumber = 50, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Load Presets", JoinCapabilities = eJoinCapabilities.FromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// STB Has Presets
- ///
- [JoinName("HasPresets")]
- public JoinDataComplete HasPresets = new JoinDataComplete(new JoinData { JoinNumber = 50, JoinSpan = 1 },
- new JoinMetadata { Description = "STB Load Presets", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
-
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public SetTopBoxControllerJoinMap(uint joinStart)
- : this(joinStart, typeof(SetTopBoxControllerJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected SetTopBoxControllerJoinMap(uint joinStart, Type type)
- : base(joinStart, type)
- {
- }
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected SetTopBoxControllerJoinMap(uint joinStart, Type type)
+ : base(joinStart, type)
+ {
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/StatusSignControllerJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/StatusSignControllerJoinMap.cs
index 79ada2c8..98cd9218 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/StatusSignControllerJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/StatusSignControllerJoinMap.cs
@@ -1,86 +1,58 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class StatusSignControllerJoinMap : JoinMapBaseAdvanced
{
+ [JoinName("IsOnline")]
+ public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Status Sign Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("Name")]
+ public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Status Sign Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+
+ [JoinName("RedControl")]
+ public JoinDataComplete RedControl = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Status Red LED Enable / Disable", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("RedLed")]
+ public JoinDataComplete RedLed = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Status Red LED Intensity", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("GreenControl")]
+ public JoinDataComplete GreenControl = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "Status Green LED Enable / Disable", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("GreenLed")]
+ public JoinDataComplete GreenLed = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "Status Green LED Intensity", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
+ [JoinName("BlueControl")]
+ public JoinDataComplete BlueControl = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "Status Blue LED Enable / Disable", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+
+ [JoinName("BlueLed")]
+ public JoinDataComplete BlueLed = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "Status Blue LED Intensity", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
+
///
- /// Represents a StatusSignControllerJoinMap
+ /// Constructor to use when instantiating this Join Map without inheriting from it
///
- public class StatusSignControllerJoinMap : JoinMapBaseAdvanced
+ /// Join this join map will start at
+ public StatusSignControllerJoinMap(uint joinStart)
+ : this(joinStart, typeof(StatusSignControllerJoinMap))
{
- ///
- /// Status Sign Online
- ///
- [JoinName("IsOnline")]
- public JoinDataComplete IsOnline = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Status Sign Online", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Status Sign Name
- ///
- [JoinName("Name")]
- public JoinDataComplete Name = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Status Sign Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
-
- ///
- /// Red LED Control
- ///
- [JoinName("RedControl")]
- public JoinDataComplete RedControl = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Status Red LED Enable / Disable", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Red LED Intensity
- ///
- [JoinName("RedLed")]
- public JoinDataComplete RedLed = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Status Red LED Intensity", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Green LED Control
- ///
- [JoinName("GreenControl")]
- public JoinDataComplete GreenControl = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "Status Green LED Enable / Disable", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Green LED Intensity
- ///
- [JoinName("GreenLed")]
- public JoinDataComplete GreenLed = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "Status Green LED Intensity", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Blue LED Control
- ///
- [JoinName("BlueControl")]
- public JoinDataComplete BlueControl = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "Status Blue LED Enable / Disable", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
-
- ///
- /// Blue LED Intensity
- ///
- [JoinName("BlueLed")]
- public JoinDataComplete BlueLed = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "Status Blue LED Intensity", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Analog });
-
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public StatusSignControllerJoinMap(uint joinStart)
- : this(joinStart, typeof(StatusSignControllerJoinMap))
- {
- }
-
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected StatusSignControllerJoinMap(uint joinStart, Type type)
- : base(joinStart, type)
- {
- }
-
}
+
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected StatusSignControllerJoinMap(uint joinStart, Type type)
+ : base(joinStart, type)
+ {
+ }
+
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/SystemMonitorJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/SystemMonitorJoinMap.cs
index c53c9fe6..3d9ac81b 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/SystemMonitorJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/SystemMonitorJoinMap.cs
@@ -1,235 +1,136 @@
using System;
-namespace PepperDash.Essentials.Core.Bridges
+namespace PepperDash.Essentials.Core.Bridges;
+
+public class SystemMonitorJoinMap : JoinMapBaseAdvanced
{
- ///
- /// Represents a SystemMonitorJoinMap
- ///
- public class SystemMonitorJoinMap : JoinMapBaseAdvanced
- {
- ///
- /// Processor Timezone
- ///
- [JoinName("TimeZone")]
- public JoinDataComplete TimeZone = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Timezone", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
+ [JoinName("TimeZone")]
+ public JoinDataComplete TimeZone = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Timezone", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Analog });
- ///
- /// Processor Timezone Name
- ///
- [JoinName("TimeZoneName")]
- public JoinDataComplete TimeZoneName = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Timezone Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("TimeZoneName")]
+ public JoinDataComplete TimeZoneName = new JoinDataComplete(new JoinData { JoinNumber = 1, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Timezone Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Processor OS Version
- ///
- [JoinName("IOControllerVersion")]
- public JoinDataComplete IOControllerVersion = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor IO Controller Version", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("IOControllerVersion")]
+ public JoinDataComplete IOControllerVersion = new JoinDataComplete(new JoinData { JoinNumber = 2, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor IO Controller Version", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Processor SNMP App Version
- ///
- [JoinName("SnmpAppVersion")]
- public JoinDataComplete SnmpAppVersion = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor SNMP App Version", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("SnmpAppVersion")]
+ public JoinDataComplete SnmpAppVersion = new JoinDataComplete(new JoinData { JoinNumber = 3, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor SNMP App Version", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Processor BACNet App Version
- ///
- [JoinName("BACnetAppVersion")]
- public JoinDataComplete BACnetAppVersion = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor BACNet App Version", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("BACnetAppVersion")]
+ public JoinDataComplete BACnetAppVersion = new JoinDataComplete(new JoinData { JoinNumber = 4, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor BACNet App Version", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Processor Controller Version
- ///
- [JoinName("ControllerVersion")]
- public JoinDataComplete ControllerVersion = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Controller Version", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("ControllerVersion")]
+ public JoinDataComplete ControllerVersion = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Controller Version", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Processor Serial Number
- ///
- [JoinName("SerialNumber")]
- public JoinDataComplete SerialNumber = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Serial Number", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("SerialNumber")]
+ public JoinDataComplete SerialNumber = new JoinDataComplete(new JoinData { JoinNumber = 6, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Serial Number", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Processor Model
- ///
- [JoinName("Model")]
- public JoinDataComplete Model = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Model", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("Model")]
+ public JoinDataComplete Model = new JoinDataComplete(new JoinData { JoinNumber = 7, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Model", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Processor Uptime
- ///
- [JoinName("Uptime")]
- public JoinDataComplete Uptime = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Uptime", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("Uptime")]
+ public JoinDataComplete Uptime = new JoinDataComplete(new JoinData { JoinNumber = 8, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Uptime", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Processor Last Boot Time
- ///
- [JoinName("LastBoot")]
- public JoinDataComplete LastBoot = new JoinDataComplete(new JoinData { JoinNumber = 9, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Last Boot", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("LastBoot")]
+ public JoinDataComplete LastBoot = new JoinDataComplete(new JoinData { JoinNumber = 9, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Last Boot", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Program Offset Join
- ///
- [JoinName("ProgramOffsetJoin")]
- public JoinDataComplete ProgramOffsetJoin = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 5 },
- new JoinMetadata { Description = "All Program Data is offset between slots by 5 - First Joins Start at 11", JoinCapabilities = eJoinCapabilities.None, JoinType = eJoinType.None });
+ [JoinName("ProgramOffsetJoin")]
+ public JoinDataComplete ProgramOffsetJoin = new JoinDataComplete(new JoinData { JoinNumber = 5, JoinSpan = 5 },
+ new JoinMetadata { Description = "All Program Data is offset between slots by 5 - First Joins Start at 11", JoinCapabilities = eJoinCapabilities.None, JoinType = eJoinType.None });
- ///
- /// Processor Program Start
- ///
- [JoinName("ProgramStart")]
- public JoinDataComplete ProgramStart = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Program Start / Fb", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+ [JoinName("ProgramStart")]
+ public JoinDataComplete ProgramStart = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Program Start / Fb", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
- ///
- /// Processor Program Stop
- ///
- [JoinName("ProgramStop")]
- public JoinDataComplete ProgramStop = new JoinDataComplete(new JoinData { JoinNumber = 12, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Program Stop / Fb", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+ [JoinName("ProgramStop")]
+ public JoinDataComplete ProgramStop = new JoinDataComplete(new JoinData { JoinNumber = 12, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Program Stop / Fb", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
- ///
- /// Processor Program Register
- ///
- [JoinName("ProgramRegister")]
- public JoinDataComplete ProgramRegister = new JoinDataComplete(new JoinData { JoinNumber = 13, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Program Register / Fb", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+ [JoinName("ProgramRegister")]
+ public JoinDataComplete ProgramRegister = new JoinDataComplete(new JoinData { JoinNumber = 13, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Program Register / Fb", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
- ///
- /// Processor Program Unregister
- ///
- [JoinName("ProgramUnregister")]
- public JoinDataComplete ProgramUnregister = new JoinDataComplete(new JoinData { JoinNumber = 14, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Program UnRegister / Fb", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
+ [JoinName("ProgramUnregister")]
+ public JoinDataComplete ProgramUnregister = new JoinDataComplete(new JoinData { JoinNumber = 14, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Program UnRegister / Fb", JoinCapabilities = eJoinCapabilities.ToFromSIMPL, JoinType = eJoinType.Digital });
- ///
- /// Processor Program Name
- ///
- [JoinName("ProgramName")]
- public JoinDataComplete ProgramName = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Program Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("ProgramName")]
+ public JoinDataComplete ProgramName = new JoinDataComplete(new JoinData { JoinNumber = 11, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Program Name", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Processor Program Version
- ///
- [JoinName("ProgramCompiledTime")]
- public JoinDataComplete ProgramCompiledTime = new JoinDataComplete(new JoinData { JoinNumber = 12, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Program Compile Time", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("ProgramCompiledTime")]
+ public JoinDataComplete ProgramCompiledTime = new JoinDataComplete(new JoinData { JoinNumber = 12, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Program Compile Time", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Processor Program Crestron Database Version
- ///
- [JoinName("ProgramCrestronDatabaseVersion")]
- public JoinDataComplete ProgramCrestronDatabaseVersion = new JoinDataComplete(new JoinData { JoinNumber = 13, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Program Database Version", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("ProgramCrestronDatabaseVersion")]
+ public JoinDataComplete ProgramCrestronDatabaseVersion = new JoinDataComplete(new JoinData { JoinNumber = 13, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Program Database Version", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Processor Program Environment Version
- ///
- [JoinName("ProgramEnvironmentVersion")]
- public JoinDataComplete ProgramEnvironmentVersion = new JoinDataComplete(new JoinData { JoinNumber = 14, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Program Environment Version", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("ProgramEnvironmentVersion")]
+ public JoinDataComplete ProgramEnvironmentVersion = new JoinDataComplete(new JoinData { JoinNumber = 14, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Program Environment Version", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Processor Program Aggregate Info
- ///
- [JoinName("AggregatedProgramInfo")]
- public JoinDataComplete AggregatedProgramInfo = new JoinDataComplete(new JoinData { JoinNumber = 15, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Program Aggregate Info Json", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("AggregatedProgramInfo")]
+ public JoinDataComplete AggregatedProgramInfo = new JoinDataComplete(new JoinData { JoinNumber = 15, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Program Aggregate Info Json", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Ethernet Offset Join
- ///
- [JoinName("EthernetOffsetJoin")]
- public JoinDataComplete EthernetOffsetJoin = new JoinDataComplete(new JoinData { JoinNumber = 15, JoinSpan = 1 },
- new JoinMetadata { Description = "All Ethernet Data is offset between Nics by 5 - First Joins Start at 76", JoinCapabilities = eJoinCapabilities.None, JoinType = eJoinType.None });
+ [JoinName("EthernetOffsetJoin")]
+ public JoinDataComplete EthernetOffsetJoin = new JoinDataComplete(new JoinData { JoinNumber = 15, JoinSpan = 1 },
+ new JoinMetadata { Description = "All Ethernet Data is offset between Nics by 5 - First Joins Start at 76", JoinCapabilities = eJoinCapabilities.None, JoinType = eJoinType.None });
- ///
- /// Processor Ethernet Hostname
- ///
- [JoinName("HostName")]
- public JoinDataComplete HostName = new JoinDataComplete(new JoinData { JoinNumber = 76, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Ethernet Hostname", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("HostName")]
+ public JoinDataComplete HostName = new JoinDataComplete(new JoinData { JoinNumber = 76, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Ethernet Hostname", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Processor Ethernet Current Ip Address
- ///
- [JoinName("CurrentIpAddress")]
- public JoinDataComplete CurrentIpAddress = new JoinDataComplete(new JoinData { JoinNumber = 77, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Ethernet Current Ip Address", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("CurrentIpAddress")]
+ public JoinDataComplete CurrentIpAddress = new JoinDataComplete(new JoinData { JoinNumber = 77, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Ethernet Current Ip Address", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Processor Ethernet Current Subnet Mask
- ///
- [JoinName("CurrentSubnetMask")]
- public JoinDataComplete CurrentSubnetMask = new JoinDataComplete(new JoinData { JoinNumber = 78, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Ethernet Current Subnet Mask", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("CurrentSubnetMask")]
+ public JoinDataComplete CurrentSubnetMask = new JoinDataComplete(new JoinData { JoinNumber = 78, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Ethernet Current Subnet Mask", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Processor Ethernet Current Default Gateway
- ///
- [JoinName("CurrentDefaultGateway")]
- public JoinDataComplete CurrentDefaultGateway = new JoinDataComplete(new JoinData { JoinNumber = 79, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Ethernet Current Default Gateway", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("CurrentDefaultGateway")]
+ public JoinDataComplete CurrentDefaultGateway = new JoinDataComplete(new JoinData { JoinNumber = 79, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Ethernet Current Default Gateway", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Processor Ethernet Static Ip Address
- ///
- [JoinName("StaticIpAddress")]
- public JoinDataComplete StaticIpAddress = new JoinDataComplete(new JoinData { JoinNumber = 80, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Ethernet Static Ip Address", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("StaticIpAddress")]
+ public JoinDataComplete StaticIpAddress = new JoinDataComplete(new JoinData { JoinNumber = 80, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Ethernet Static Ip Address", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Processor Ethernet Static Subnet Mask
- ///
- [JoinName("StaticSubnetMask")]
- public JoinDataComplete StaticSubnetMask = new JoinDataComplete(new JoinData { JoinNumber = 81, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Ethernet Static Subnet Mask", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("StaticSubnetMask")]
+ public JoinDataComplete StaticSubnetMask = new JoinDataComplete(new JoinData { JoinNumber = 81, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Ethernet Static Subnet Mask", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Processor Ethernet Static Default Gateway
- ///
- [JoinName("StaticDefaultGateway")]
- public JoinDataComplete StaticDefaultGateway = new JoinDataComplete(new JoinData { JoinNumber = 82, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Ethernet Static Default Gateway", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("StaticDefaultGateway")]
+ public JoinDataComplete StaticDefaultGateway = new JoinDataComplete(new JoinData { JoinNumber = 82, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Ethernet Static Default Gateway", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Processor Ethernet Domain
- ///
- [JoinName("Domain")]
- public JoinDataComplete Domain = new JoinDataComplete(new JoinData { JoinNumber = 83, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Ethernet Domain", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("Domain")]
+ public JoinDataComplete Domain = new JoinDataComplete(new JoinData { JoinNumber = 83, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Ethernet Domain", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Processor Ethernet Dns Server
- ///
- [JoinName("DnsServer")]
- public JoinDataComplete DnsServer = new JoinDataComplete(new JoinData { JoinNumber = 84, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Ethernet Dns Server", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("DnsServer")]
+ public JoinDataComplete DnsServer = new JoinDataComplete(new JoinData { JoinNumber = 84, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Ethernet Dns Server", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Processor Ethernet Mac Address
- ///
- [JoinName("MacAddress")]
- public JoinDataComplete MacAddress = new JoinDataComplete(new JoinData { JoinNumber = 85, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Ethernet Mac Address", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("MacAddress")]
+ public JoinDataComplete MacAddress = new JoinDataComplete(new JoinData { JoinNumber = 85, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Ethernet Mac Address", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
- ///
- /// Processor Ethernet Dhcp Status
- ///
- [JoinName("DhcpStatus")]
- public JoinDataComplete DhcpStatus = new JoinDataComplete(new JoinData { JoinNumber = 86, JoinSpan = 1 },
- new JoinMetadata { Description = "Processor Ethernet Dhcp Status", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
+ [JoinName("DhcpStatus")]
+ public JoinDataComplete DhcpStatus = new JoinDataComplete(new JoinData { JoinNumber = 86, JoinSpan = 1 },
+ new JoinMetadata { Description = "Processor Ethernet Dhcp Status", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Serial });
///
/// Processor Reboot
@@ -260,23 +161,22 @@ namespace PepperDash.Essentials.Core.Bridges
new JoinMetadata { Description = "Resets the program", JoinCapabilities = eJoinCapabilities.ToSIMPL, JoinType = eJoinType.Digital });
- ///
- /// Constructor to use when instantiating this Join Map without inheriting from it
- ///
- /// Join this join map will start at
- public SystemMonitorJoinMap(uint joinStart)
- : this(joinStart, typeof(SystemMonitorJoinMap))
- {
- }
+ ///
+ /// Constructor to use when instantiating this Join Map without inheriting from it
+ ///
+ /// Join this join map will start at
+ public SystemMonitorJoinMap(uint joinStart)
+ : this(joinStart, typeof(SystemMonitorJoinMap))
+ {
+ }
- ///
- /// Constructor to use when extending this Join map
- ///
- /// Join this join map will start at
- /// Type of the child join map
- protected SystemMonitorJoinMap(uint joinStart, Type type)
- : base(joinStart, type)
- {
- }
+ ///
+ /// Constructor to use when extending this Join map
+ ///
+ /// Join this join map will start at
+ /// Type of the child join map
+ protected SystemMonitorJoinMap(uint joinStart, Type type)
+ : base(joinStart, type)
+ {
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/VideoCodecControllerJoinMap.cs b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/VideoCodecControllerJoinMap.cs
index 2a7a46c2..b691bbdb 100644
--- a/src/PepperDash.Essentials.Core/Bridges/JoinMaps/VideoCodecControllerJoinMap.cs
+++ b/src/PepperDash.Essentials.Core/Bridges/JoinMaps/VideoCodecControllerJoinMap.cs
@@ -1,10 +1,7 @@
using System;
using PepperDash.Essentials.Core;
-namespace PepperDash.Essentials.Core.Bridges.JoinMaps
-{
- ///
- /// Represents a VideoCodecControllerJoinMap
- ///
+namespace PepperDash.Essentials.Core.Bridges.JoinMaps;
+
public class VideoCodecControllerJoinMap : JoinMapBaseAdvanced
{
#region Digital
@@ -26,27 +23,21 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Digital
});
- ///
- /// If High, will send DTMF tones to the call set by SelectCall analog. If low sends DTMF tones to last connected call.
- ///
- [JoinName("SendDtmfToSpecificCallIndex")]
- public JoinDataComplete SendDtmfToSpecificCallIndex = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 10,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "If High, will send DTMF tones to the call set by SelectCall analog. If low sends DTMF tones to last connected call.",
- JoinCapabilities = eJoinCapabilities.FromSIMPL,
- JoinType = eJoinType.Digital
- });
+ [JoinName("SendDtmfToSpecificCallIndex")]
+ public JoinDataComplete SendDtmfToSpecificCallIndex = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 10,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "If High, will send DTMF tones to the call set by SelectCall analog. If low sends DTMF tones to last connected call.",
+ JoinCapabilities = eJoinCapabilities.FromSIMPL,
+ JoinType = eJoinType.Digital
+ });
- ///
- /// DTMF 1
- ///
- [JoinName("Dtmf1")]
+ [JoinName("Dtmf1")]
public JoinDataComplete Dtmf1 = new JoinDataComplete(
new JoinData
{
@@ -60,10 +51,7 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Digital
});
- ///
- /// DTMF 2
- ///
- [JoinName("Dtmf2")]
+ [JoinName("Dtmf2")]
public JoinDataComplete Dtmf2 = new JoinDataComplete(
new JoinData
{
@@ -77,10 +65,7 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Digital
});
- ///
- /// DTMF 3
- ///
- [JoinName("Dtmf3")]
+ [JoinName("Dtmf3")]
public JoinDataComplete Dtmf3 = new JoinDataComplete(
new JoinData
{
@@ -94,10 +79,7 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Digital
});
- ///
- /// DTMF 4
- ///
- [JoinName("Dtmf4")]
+ [JoinName("Dtmf4")]
public JoinDataComplete Dtmf4 = new JoinDataComplete(
new JoinData
{
@@ -111,10 +93,7 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Digital
});
- ///
- /// DTMF 5
- ///
- [JoinName("Dtmf5")]
+ [JoinName("Dtmf5")]
public JoinDataComplete Dtmf5 = new JoinDataComplete(
new JoinData
{
@@ -128,10 +107,7 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Digital
});
- ///
- /// DTMF 6
- ///
- [JoinName("Dtmf6")]
+ [JoinName("Dtmf6")]
public JoinDataComplete Dtmf6 = new JoinDataComplete(
new JoinData
{
@@ -145,10 +121,7 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Digital
});
- ///
- /// DTMF 7
- ///
- [JoinName("Dtmf7")]
+ [JoinName("Dtmf7")]
public JoinDataComplete Dtmf7 = new JoinDataComplete(
new JoinData
{
@@ -162,10 +135,7 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Digital
});
- ///
- /// DTMF 8
- ///
- [JoinName("Dtmf8")]
+ [JoinName("Dtmf8")]
public JoinDataComplete Dtmf8 = new JoinDataComplete(
new JoinData
{
@@ -179,10 +149,7 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Digital
});
- ///
- /// DTMF 9
- ///
- [JoinName("Dtmf9")]
+ [JoinName("Dtmf9")]
public JoinDataComplete Dtmf9 = new JoinDataComplete(
new JoinData
{
@@ -196,10 +163,7 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Digital
});
- ///
- /// DTMF 0
- ///
- [JoinName("Dtmf0")]
+ [JoinName("Dtmf0")]
public JoinDataComplete Dtmf0 = new JoinDataComplete(
new JoinData
{
@@ -213,10 +177,7 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Digital
});
- ///
- /// DTMF *
- ///
- [JoinName("DtmfStar")]
+ [JoinName("DtmfStar")]
public JoinDataComplete DtmfStar = new JoinDataComplete(
new JoinData
{
@@ -230,10 +191,7 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Digital
});
- ///
- /// DTMF #
- ///
- [JoinName("DtmfPound")]
+ [JoinName("DtmfPound")]
public JoinDataComplete DtmfPound = new JoinDataComplete(
new JoinData
{
@@ -247,10 +205,7 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Digital
});
- ///
- /// End All Calls
- ///
- [JoinName("EndAllCalls")]
+ [JoinName("EndAllCalls")]
public JoinDataComplete EndAllCalls = new JoinDataComplete(
new JoinData
{
@@ -366,10 +321,7 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Digital
});
- ///
- /// Dial Phone
- ///
- [JoinName("DialPhone")]
+ [JoinName("DialPhone")]
public JoinDataComplete DialPhone = new JoinDataComplete(
new JoinData
{
@@ -400,10 +352,7 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Digital
});
- ///
- /// Hang Up Phone
- ///
- [JoinName("HangUpPhone")]
+ [JoinName("HangUpPhone")]
public JoinDataComplete HangUpPhone = new JoinDataComplete(
new JoinData
{
@@ -417,56 +366,47 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Digital
});
- ///
- /// End Call
- ///
- [JoinName("EndCallStart")]
- public JoinDataComplete EndCallStart = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 81,
- JoinSpan = 8
- },
- new JoinMetadata
- {
- Description = "End a specific call by call index. ",
- JoinCapabilities = eJoinCapabilities.FromSIMPL,
- JoinType = eJoinType.Digital
- });
+ [JoinName("EndCallStart")]
+ public JoinDataComplete EndCallStart = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 81,
+ JoinSpan = 8
+ },
+ new JoinMetadata
+ {
+ Description = "End a specific call by call index. ",
+ JoinCapabilities = eJoinCapabilities.FromSIMPL,
+ JoinType = eJoinType.Digital
+ });
- ///
- /// Join All Calls
- ///
- [JoinName("JoinAllCalls")]
- public JoinDataComplete JoinAllCalls = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 90,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Join all calls",
- JoinCapabilities = eJoinCapabilities.FromSIMPL,
- JoinType = eJoinType.Digital
- });
+ [JoinName("JoinAllCalls")]
+ public JoinDataComplete JoinAllCalls = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 90,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Join all calls",
+ JoinCapabilities = eJoinCapabilities.FromSIMPL,
+ JoinType = eJoinType.Digital
+ });
- ///
- /// Join Call
- ///
- [JoinName("JoinCallStart")]
- public JoinDataComplete JoinCallStart = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 91,
- JoinSpan = 8
- },
- new JoinMetadata
- {
- Description = "Join a specific call by call index. ",
- JoinCapabilities = eJoinCapabilities.FromSIMPL,
- JoinType = eJoinType.Digital
- });
+ [JoinName("JoinCallStart")]
+ public JoinDataComplete JoinCallStart = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 91,
+ JoinSpan = 8
+ },
+ new JoinMetadata
+ {
+ Description = "Join a specific call by call index. ",
+ JoinCapabilities = eJoinCapabilities.FromSIMPL,
+ JoinType = eJoinType.Digital
+ });
///
/// Directory Search Busy
@@ -604,56 +544,47 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Digital
});
- ///
- /// Directory Disable Auto Dial Selected Line
- ///
- [JoinName("DirectoryDisableAutoDialSelectedLine")]
- public JoinDataComplete DirectoryDisableAutoDialSelectedLine = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 107,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Set high to disable automatic dialing of a contact when selected",
- JoinCapabilities = eJoinCapabilities.FromSIMPL,
- JoinType = eJoinType.Digital
- });
+ [JoinName("DirectoryDisableAutoDialSelectedLine")]
+ public JoinDataComplete DirectoryDisableAutoDialSelectedLine = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 107,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Set high to disable automatic dialing of a contact when selected",
+ JoinCapabilities = eJoinCapabilities.FromSIMPL,
+ JoinType = eJoinType.Digital
+ });
- ///
- /// Directory Dial Selected Contact Method
- ///
- [JoinName("DirectoryDialSelectedContactMethod")]
- public JoinDataComplete DirectoryDialSelectedContactMethod = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 108,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Pulse to dial the selected contact method",
- JoinCapabilities = eJoinCapabilities.FromSIMPL,
- JoinType = eJoinType.Digital
- });
+ [JoinName("DirectoryDialSelectedContactMethod")]
+ public JoinDataComplete DirectoryDialSelectedContactMethod = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 108,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Pulse to dial the selected contact method",
+ JoinCapabilities = eJoinCapabilities.FromSIMPL,
+ JoinType = eJoinType.Digital
+ });
- ///
- /// Directory Clear Selected
- ///
- [JoinName("DirectoryClearSelected")]
- public JoinDataComplete DirectoryClearSelected = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 110,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Clear Selected Entry and String from Search",
- JoinCapabilities = eJoinCapabilities.FromSIMPL,
- JoinType = eJoinType.Digital
- });
+ [JoinName("DirectoryClearSelected")]
+ public JoinDataComplete DirectoryClearSelected = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 110,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Clear Selected Entry and String from Search",
+ JoinCapabilities = eJoinCapabilities.FromSIMPL,
+ JoinType = eJoinType.Digital
+ });
///
/// Camera Tilt Up
@@ -757,56 +688,47 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Digital
});
- ///
- /// Camera Focus Near
- ///
- [JoinName("CameraFocusNear")]
- public JoinDataComplete CameraFocusNear = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 117,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Camera Focus Near",
- JoinCapabilities = eJoinCapabilities.FromSIMPL,
- JoinType = eJoinType.Digital
- });
+ [JoinName("CameraFocusNear")]
+ public JoinDataComplete CameraFocusNear = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 117,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Camera Focus Near",
+ JoinCapabilities = eJoinCapabilities.FromSIMPL,
+ JoinType = eJoinType.Digital
+ });
- ///
- /// Camera Focus Far
- ///
- [JoinName("CameraFocusFar")]
- public JoinDataComplete CameraFocusFar = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 118,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Camera Focus Far",
- JoinCapabilities = eJoinCapabilities.FromSIMPL,
- JoinType = eJoinType.Digital
- });
+ [JoinName("CameraFocusFar")]
+ public JoinDataComplete CameraFocusFar = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 118,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Camera Focus Far",
+ JoinCapabilities = eJoinCapabilities.FromSIMPL,
+ JoinType = eJoinType.Digital
+ });
- ///
- /// Camera Auto Focus
- ///
- [JoinName("CameraFocusAuto")]
- public JoinDataComplete CameraFocusAuto = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 119,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Camera Auto Focus Trigger",
- JoinCapabilities = eJoinCapabilities.FromSIMPL,
- JoinType = eJoinType.Digital
- });
+ [JoinName("CameraFocusAuto")]
+ public JoinDataComplete CameraFocusAuto = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 119,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Camera Auto Focus Trigger",
+ JoinCapabilities = eJoinCapabilities.FromSIMPL,
+ JoinType = eJoinType.Digital
+ });
///
/// Camera Preset Save
@@ -961,10 +883,7 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Digital
});
- ///
- /// Dial Meeting Start
- ///
- [JoinName("DialMeetingStart")]
+ [JoinName("DialMeetingStart")]
public JoinDataComplete DialMeetingStart = new JoinDataComplete(
new JoinData
{
@@ -1114,39 +1033,33 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Digital
});
- ///
- /// Remove Selected Recent Call Item
- ///
- [JoinName("RemoveSelectedRecentCallItem")]
- public JoinDataComplete RemoveSelectedRecentCallItem = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 181,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Pulse to remove the selected recent call item specified by the SelectRecentCallItem analog join",
- JoinCapabilities = eJoinCapabilities.FromSIMPL,
- JoinType = eJoinType.Digital
- });
+ [JoinName("RemoveSelectedRecentCallItem")]
+ public JoinDataComplete RemoveSelectedRecentCallItem = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 181,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Pulse to remove the selected recent call item specified by the SelectRecentCallItem analog join",
+ JoinCapabilities = eJoinCapabilities.FromSIMPL,
+ JoinType = eJoinType.Digital
+ });
- ///
- /// Dial Selected Recent Call Item
- ///
- [JoinName("DialSelectedRecentCallItem")]
- public JoinDataComplete DialSelectedRecentCallItem = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 182,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Pulse to dial the selected recent call item specified by the SelectRecentCallItem analog join",
- JoinCapabilities = eJoinCapabilities.FromSIMPL,
- JoinType = eJoinType.Digital
- });
+ [JoinName("DialSelectedRecentCallItem")]
+ public JoinDataComplete DialSelectedRecentCallItem = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 182,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Pulse to dial the selected recent call item specified by the SelectRecentCallItem analog join",
+ JoinCapabilities = eJoinCapabilities.FromSIMPL,
+ JoinType = eJoinType.Digital
+ });
///
/// Source Share Start
@@ -1233,141 +1146,117 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Digital
});
- ///
- /// Hold All Calls
- ///
- [JoinName("HoldAllCalls")]
- public JoinDataComplete HoldAllCalls = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 220,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Holds all calls",
- JoinCapabilities = eJoinCapabilities.FromSIMPL,
- JoinType = eJoinType.Digital
- });
+ [JoinName("HoldAllCalls")]
+ public JoinDataComplete HoldAllCalls = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 220,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Holds all calls",
+ JoinCapabilities = eJoinCapabilities.FromSIMPL,
+ JoinType = eJoinType.Digital
+ });
- ///
- /// Hold Call at Index
- ///
- [JoinName("HoldCallsStart")]
- public JoinDataComplete HoldCallsStart = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 221,
- JoinSpan = 8
- },
- new JoinMetadata
- {
- Description = "Holds Call at specified index. FB reported on Call Status XSIG",
- JoinCapabilities = eJoinCapabilities.FromSIMPL,
- JoinType = eJoinType.Digital
- });
+ [JoinName("HoldCallsStart")]
+ public JoinDataComplete HoldCallsStart = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 221,
+ JoinSpan = 8
+ },
+ new JoinMetadata
+ {
+ Description = "Holds Call at specified index. FB reported on Call Status XSIG",
+ JoinCapabilities = eJoinCapabilities.FromSIMPL,
+ JoinType = eJoinType.Digital
+ });
- ///
- /// Resume All Calls
- ///
- [JoinName("ResumeCallsStart")]
- public JoinDataComplete ResumeCallsStart = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 231,
- JoinSpan = 8
- },
- new JoinMetadata
- {
- Description = "Resume Call at specified index",
- JoinCapabilities = eJoinCapabilities.FromSIMPL,
- JoinType = eJoinType.Digital
- });
+ [JoinName("ResumeCallsStart")]
+ public JoinDataComplete ResumeCallsStart = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 231,
+ JoinSpan = 8
+ },
+ new JoinMetadata
+ {
+ Description = "Resume Call at specified index",
+ JoinCapabilities = eJoinCapabilities.FromSIMPL,
+ JoinType = eJoinType.Digital
+ });
- ///
- /// Multi Site Option Is Enabled
- ///
- [JoinName("MultiSiteOptionIsEnabled")]
- public JoinDataComplete MultiSiteOptionIsEnabled = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 301,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Multi site option is enabled FB",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Digital
- });
+ [JoinName("MultiSiteOptionIsEnabled")]
+ public JoinDataComplete MultiSiteOptionIsEnabled = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 301,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Multi site option is enabled FB",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Digital
+ });
- ///
- /// Auto Answer Enabled
- ///
- [JoinName("AutoAnswerEnabled")]
- public JoinDataComplete AutoAnswerEnabled = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 302,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Auto Answer is enabled FB",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Digital
- });
+ [JoinName("AutoAnswerEnabled")]
+ public JoinDataComplete AutoAnswerEnabled = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 302,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Auto Answer is enabled FB",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Digital
+ });
- ///
- /// Participant Audio Mute Toggle
- ///
- [JoinName("ParticipantAudioMuteToggleStart")]
- public JoinDataComplete ParticipantAudioMuteToggleStart = new JoinDataComplete(
+ [JoinName("ParticipantAudioMuteToggleStart")]
+ public JoinDataComplete ParticipantAudioMuteToggleStart = new JoinDataComplete(
new JoinData
{
JoinNumber = 501,
JoinSpan = 50
},
- new JoinMetadata
- {
- Description = "Toggles the participant's audio mute status",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Digital
- });
+ new JoinMetadata
+ {
+ Description = "Toggles the participant's audio mute status",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Digital
+ });
- ///
- /// Participant Video Mute Toggle
- ///
- [JoinName("ParticipantVideoMuteToggleStart")]
- public JoinDataComplete ParticipantVideoMuteToggleStart = new JoinDataComplete(
+ [JoinName("ParticipantVideoMuteToggleStart")]
+ public JoinDataComplete ParticipantVideoMuteToggleStart = new JoinDataComplete(
new JoinData
{
JoinNumber = 801,
JoinSpan = 50
},
- new JoinMetadata
- {
- Description = "Toggles the participant's video mute status",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Digital
- });
+ new JoinMetadata
+ {
+ Description = "Toggles the participant's video mute status",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Digital
+ });
- ///
- /// Participant Pin Toggle
- ///
- [JoinName("ParticipantPinToggleStart")]
- public JoinDataComplete ParticipantPinToggleStart = new JoinDataComplete(
+ [JoinName("ParticipantPinToggleStart")]
+ public JoinDataComplete ParticipantPinToggleStart = new JoinDataComplete(
new JoinData
{
JoinNumber = 1101,
JoinSpan = 50
},
- new JoinMetadata
- {
- Description = "Toggles the participant's pin status",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Digital
- });
+ new JoinMetadata
+ {
+ Description = "Toggles the participant's pin status",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Digital
+ });
#endregion
@@ -1376,58 +1265,49 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
#region Analog
- // TODO [ ] hotfix/videocodecbase-max-meeting-xsig-set
+ // TODO [ ] hotfix/videocodecbase-max-meeting-xsig-set
+ [JoinName("MeetingsToDisplay")]
+ public JoinDataComplete MeetingsToDisplay = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 40,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Set/FB the number of meetings to display via the bridge xsig; default: 3 meetings.",
+ JoinCapabilities = eJoinCapabilities.ToFromSIMPL,
+ JoinType = eJoinType.Analog
+ });
- ///
- /// Meetings To Display
- ///
- [JoinName("MeetingsToDisplay")]
- public JoinDataComplete MeetingsToDisplay = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 40,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Set/FB the number of meetings to display via the bridge xsig; default: 3 meetings.",
- JoinCapabilities = eJoinCapabilities.ToFromSIMPL,
- JoinType = eJoinType.Analog
- });
+ [JoinName("SelectCall")]
+ public JoinDataComplete SelectCall = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 24,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Sets the selected Call for DTMF commands. Valid values 1-8",
+ JoinCapabilities = eJoinCapabilities.FromSIMPL,
+ JoinType = eJoinType.Analog
+ });
- ///
- /// Select Call
- ///
- [JoinName("SelectCall")]
- public JoinDataComplete SelectCall = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 24,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Sets the selected Call for DTMF commands. Valid values 1-8",
- JoinCapabilities = eJoinCapabilities.FromSIMPL,
- JoinType = eJoinType.Analog
- });
- ///
- /// Connected Call Count
- ///
- [JoinName("ConnectedCallCount")]
- public JoinDataComplete ConnectedCallCount = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 25,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Reports the number of currently connected calls",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Analog
- });
+ [JoinName("ConnectedCallCount")]
+ public JoinDataComplete ConnectedCallCount = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 25,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Reports the number of currently connected calls",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Analog
+ });
///
/// Minutes Before Meeting Start
@@ -1463,22 +1343,19 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Analog
});
- ///
- /// Camera Count
- ///
- [JoinName("CameraCount")]
- public JoinDataComplete CameraCount = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 61,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Reports the number of cameras",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Analog
- });
+ [JoinName("CameraCount")]
+ public JoinDataComplete CameraCount = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 61,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Reports the number of cameras",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Analog
+ });
///
/// Directory Row Count
@@ -1514,56 +1391,48 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Analog
});
- ///
- /// Selected Contact Method Count
- ///
- [JoinName("SelectedContactMethodCount")]
- public JoinDataComplete SelectedContactMethodCount = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 102,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Reports the number of contact methods for the selected contact",
- JoinCapabilities = eJoinCapabilities.FromSIMPL,
- JoinType = eJoinType.Analog
- });
- ///
- /// Select Contact Method
- ///
- [JoinName("SelectContactMethod")]
- public JoinDataComplete SelectContactMethod = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 103,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Selects a contact method by index",
- JoinCapabilities = eJoinCapabilities.FromSIMPL,
- JoinType = eJoinType.Analog
- });
+ [JoinName("SelectedContactMethodCount")]
+ public JoinDataComplete SelectedContactMethodCount = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 102,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Reports the number of contact methods for the selected contact",
+ JoinCapabilities = eJoinCapabilities.FromSIMPL,
+ JoinType = eJoinType.Analog
+ });
- ///
- /// Directory Select Row Feedback
- ///
- [JoinName("DirectorySelectRowFeedback")]
- public JoinDataComplete DirectorySelectRowFeedback = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 104,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Directory Select Row and Feedback",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Analog
- });
+ [JoinName("SelectContactMethod")]
+ public JoinDataComplete SelectContactMethod = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 103,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Selects a contact method by index",
+ JoinCapabilities = eJoinCapabilities.FromSIMPL,
+ JoinType = eJoinType.Analog
+ });
+
+ [JoinName("DirectorySelectRowFeedback")]
+ public JoinDataComplete DirectorySelectRowFeedback = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 104,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Directory Select Row and Feedback",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Analog
+ });
///
@@ -1583,22 +1452,19 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Analog
});
- ///
- /// Far End Preset Select
- ///
- [JoinName("FarEndPresetSelect")]
- public JoinDataComplete FarEndPresetSelect = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 122,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Far End Preset Preset Select",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Analog
- });
+ [JoinName("FarEndPresetSelect")]
+ public JoinDataComplete FarEndPresetSelect = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 122,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Far End Preset Preset Select",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Analog
+ });
///
/// Participant Count
@@ -1651,56 +1517,47 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Analog
});
- ///
- /// Select Recent Call Item
- ///
- [JoinName("SelectRecentCallItem")]
- public JoinDataComplete SelectRecentCallItem = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 180,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Select/FB for Recent Call Item. Valid values 1 - 10",
- JoinCapabilities = eJoinCapabilities.ToFromSIMPL,
- JoinType = eJoinType.Analog
- });
+ [JoinName("SelectRecentCallItem")]
+ public JoinDataComplete SelectRecentCallItem = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 180,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Select/FB for Recent Call Item. Valid values 1 - 10",
+ JoinCapabilities = eJoinCapabilities.ToFromSIMPL,
+ JoinType = eJoinType.Analog
+ });
- ///
- /// Recent Call Occurrence Type
- ///
- [JoinName("RecentCallOccurrenceType")]
- public JoinDataComplete RecentCallOccurrenceType = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 181,
- JoinSpan = 10
- },
- new JoinMetadata
- {
- Description = "Recent Call Occurrence Type. [0-3] 0 = Unknown, 1 = Placed, 2 = Received, 3 = NoAnswer",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Analog
- });
+ [JoinName("RecentCallOccurrenceType")]
+ public JoinDataComplete RecentCallOccurrenceType = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 181,
+ JoinSpan = 10
+ },
+ new JoinMetadata
+ {
+ Description = "Recent Call Occurrence Type. [0-3] 0 = Unknown, 1 = Placed, 2 = Received, 3 = NoAnswer",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Analog
+ });
- ///
- /// Recent Call Count
- ///
- [JoinName("RecentCallCount")]
- public JoinDataComplete RecentCallCount = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 191,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Recent Call Count",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Analog
- });
+ [JoinName("RecentCallCount")]
+ public JoinDataComplete RecentCallCount = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 191,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Recent Call Count",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Analog
+ });
#endregion
@@ -1725,10 +1582,7 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Serial
});
- ///
- /// Phone Dial String
- ///
- [JoinName("PhoneDialString")]
+ [JoinName("PhoneDialString")]
public JoinDataComplete PhoneDialString = new JoinDataComplete(
new JoinData
{
@@ -1742,10 +1596,7 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Serial
});
- ///
- /// Current Call Data
- ///
- [JoinName("CurrentCallData")]
+ [JoinName("CurrentCallData")]
public JoinDataComplete CurrentCallData = new JoinDataComplete(
new JoinData
{
@@ -1861,22 +1712,19 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Serial
});
- ///
- /// Contact Methods
- ///
- [JoinName("ContactMethods")]
- public JoinDataComplete ContactMethods = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 103,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Contact Methods - XSig, 10 entries",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Serial
- });
+ [JoinName("ContactMethods")]
+ public JoinDataComplete ContactMethods = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 103,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Contact Methods - XSig, 10 entries",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Serial
+ });
///
/// Camera Preset Names
@@ -1895,10 +1743,7 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Serial
});
- ///
- /// Current Layout String
- ///
- [JoinName("CurrentLayoutStringFb")]
+ [JoinName("CurrentLayoutStringFb")]
public JoinDataComplete CurrentLayoutStringFb = new JoinDataComplete(
new JoinData
{
@@ -1912,39 +1757,33 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Serial
});
- ///
- /// Available Layouts XSig
- ///
- [JoinName("AvailableLayoutsFb")]
- public JoinDataComplete AvailableLayoutsFb = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 142,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "xSig of all available layouts",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Serial
- });
+ [JoinName("AvailableLayoutsFb")]
+ public JoinDataComplete AvailableLayoutsFb = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 142,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "xSig of all available layouts",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Serial
+ });
- ///
- /// Select Layout
- ///
- [JoinName("SelectLayout")]
- public JoinDataComplete SelectLayout = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 142,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Select Layout by string",
- JoinCapabilities = eJoinCapabilities.FromSIMPL,
- JoinType = eJoinType.Serial
- });
+ [JoinName("SelectLayout")]
+ public JoinDataComplete SelectLayout = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 142,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Select Layout by string",
+ JoinCapabilities = eJoinCapabilities.FromSIMPL,
+ JoinType = eJoinType.Serial
+ });
///
@@ -1964,90 +1803,75 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Serial
});
- ///
- /// Camera Names XSig
- ///
- [JoinName("CameraNamesFb")]
- public JoinDataComplete CameraNamesFb = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 161,
- JoinSpan = 10
- },
- new JoinMetadata
- {
- Description = "Camera Name Fb",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Serial
- });
+ [JoinName("CameraNamesFb")]
+ public JoinDataComplete CameraNamesFb = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 161,
+ JoinSpan = 10
+ },
+ new JoinMetadata
+ {
+ Description = "Camera Name Fb",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Serial
+ });
- ///
- /// Selected Recent Call Name
- ///
- [JoinName("SelectedRecentCallName")]
- public JoinDataComplete SelectedRecentCallName = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 171,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Selected Recent Call Name",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Serial
- });
+ [JoinName("SelectedRecentCallName")]
+ public JoinDataComplete SelectedRecentCallName = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 171,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Selected Recent Call Name",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Serial
+ });
- ///
- /// Selected Recent Call Number
- ///
- [JoinName("SelectedRecentCallNumber")]
- public JoinDataComplete SelectedRecentCallNumber = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 172,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "Selected Recent Call Number",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Serial
- });
+ [JoinName("SelectedRecentCallNumber")]
+ public JoinDataComplete SelectedRecentCallNumber = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 172,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "Selected Recent Call Number",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Serial
+ });
- ///
- /// Recent Call Names
- ///
- [JoinName("RecentCallNamesStart")]
- public JoinDataComplete RecentCallNamesStart = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 181,
- JoinSpan = 10
- },
- new JoinMetadata
- {
- Description = "Recent Call Names",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Serial
- });
+ [JoinName("RecentCallNamesStart")]
+ public JoinDataComplete RecentCallNamesStart = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 181,
+ JoinSpan = 10
+ },
+ new JoinMetadata
+ {
+ Description = "Recent Call Names",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Serial
+ });
- ///
- /// Recent Call Numbers
- ///
- [JoinName("RecentCallTimesStart")]
- public JoinDataComplete RecentCallTimesStart = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 191,
- JoinSpan = 10
- },
- new JoinMetadata
- {
- Description = "Recent Calls Times",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Serial
- });
+ [JoinName("RecentCallTimesStart")]
+ public JoinDataComplete RecentCallTimesStart = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 191,
+ JoinSpan = 10
+ },
+ new JoinMetadata
+ {
+ Description = "Recent Calls Times",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Serial
+ });
///
/// Current Source
@@ -2083,90 +1907,75 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
JoinType = eJoinType.Serial
});
- ///
- /// Device IP Address
- ///
- [JoinName("DeviceIpAddresss")]
- public JoinDataComplete DeviceIpAddresss = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 301,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "IP Address of device",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Serial
- });
+ [JoinName("DeviceIpAddresss")]
+ public JoinDataComplete DeviceIpAddresss = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 301,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "IP Address of device",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Serial
+ });
- ///
- /// SIP Phone Number
- ///
- [JoinName("SipPhoneNumber")]
- public JoinDataComplete SipPhoneNumber = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 302,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "SIP phone number of device",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Serial
- });
+ [JoinName("SipPhoneNumber")]
+ public JoinDataComplete SipPhoneNumber = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 302,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "SIP phone number of device",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Serial
+ });
- ///
- /// E164 Alias
- ///
- [JoinName("E164Alias")]
- public JoinDataComplete E164Alias = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 303,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "E164 alias of device",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Serial
- });
+ [JoinName("E164Alias")]
+ public JoinDataComplete E164Alias = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 303,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "E164 alias of device",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Serial
+ });
- ///
- /// H323 ID
- ///
- [JoinName("H323Id")]
- public JoinDataComplete H323Id = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 304,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "H323 ID of device",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Serial
- });
+ [JoinName("H323Id")]
+ public JoinDataComplete H323Id = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 304,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "H323 ID of device",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Serial
+ });
- ///
- /// SIP URI
- ///
- [JoinName("SipUri")]
- public JoinDataComplete SipUri = new JoinDataComplete(
- new JoinData
- {
- JoinNumber = 305,
- JoinSpan = 1
- },
- new JoinMetadata
- {
- Description = "SIP URI of device",
- JoinCapabilities = eJoinCapabilities.ToSIMPL,
- JoinType = eJoinType.Serial
- });
+ [JoinName("SipUri")]
+ public JoinDataComplete SipUri = new JoinDataComplete(
+ new JoinData
+ {
+ JoinNumber = 305,
+ JoinSpan = 1
+ },
+ new JoinMetadata
+ {
+ Description = "SIP URI of device",
+ JoinCapabilities = eJoinCapabilities.ToSIMPL,
+ JoinType = eJoinType.Serial
+ });
///
/// Selected Directory Entry Name
@@ -2241,4 +2050,3 @@ namespace PepperDash.Essentials.Core.Bridges.JoinMaps
{
}
}
-}
diff --git a/src/PepperDash.Essentials.Core/Comm and IR/CecPortController.cs b/src/PepperDash.Essentials.Core/Comm and IR/CecPortController.cs
index 298bbc9b..0c053d6b 100644
--- a/src/PepperDash.Essentials.Core/Comm and IR/CecPortController.cs
+++ b/src/PepperDash.Essentials.Core/Comm and IR/CecPortController.cs
@@ -10,156 +10,116 @@ using Crestron.SimplSharpPro.DM;
using PepperDash.Core;
using Serilog.Events;
-namespace PepperDash.Essentials.Core
+namespace PepperDash.Essentials.Core;
+
+ public class CecPortController : Device, IBasicCommunicationWithStreamDebugging
{
- ///
- /// Represents a CecPortController
- ///
- public class CecPortController : Device, IBasicCommunicationWithStreamDebugging
+ public CommunicationStreamDebugging StreamDebugging { get; private set; }
+
+ public event EventHandler BytesReceived;
+ public event EventHandler TextReceived;
+
+ public bool IsConnected { get { return true; } }
+
+ ICec Port;
+
+ public CecPortController(string key, Func postActivationFunc,
+ EssentialsControlPropertiesConfig config):base(key)
{
- ///
- /// Gets or sets the StreamDebugging
- ///
- public CommunicationStreamDebugging StreamDebugging { get; private set; }
+ StreamDebugging = new CommunicationStreamDebugging(key);
- ///
- /// Event raised when bytes are received
- ///
- public event EventHandler BytesReceived;
-
- ///
- /// Event raised when text is received
- ///
- public event EventHandler TextReceived;
-
- ///
- /// Gets or sets the IsConnected
- ///
- public bool IsConnected { get { return true; } }
-
- ICec Port;
-
- ///
- /// Constructor
- ///
- /// key of the device
- /// post activation function for the device
- /// configuration for the device
- public CecPortController(string key, Func postActivationFunc,
- EssentialsControlPropertiesConfig config) : base(key)
+ AddPostActivationAction(() =>
{
- StreamDebugging = new CommunicationStreamDebugging(key);
+ Port = postActivationFunc(config);
- AddPostActivationAction(() =>
- {
- Port = postActivationFunc(config);
+ Port.StreamCec.CecChange += StreamCec_CecChange;
+ });
+ }
- Port.StreamCec.CecChange += StreamCec_CecChange;
- });
+ public CecPortController(string key, ICec port)
+ : base(key)
+ {
+ Port = port;
+
+ Port.StreamCec.CecChange += new CecChangeEventHandler(StreamCec_CecChange);
+ }
+
+ void StreamCec_CecChange(Cec cecDevice, CecEventArgs args)
+ {
+ if (args.EventId == CecEventIds.CecMessageReceivedEventId)
+ OnDataReceived(cecDevice.Received.StringValue);
+ else if (args.EventId == CecEventIds.ErrorFeedbackEventId)
+ if(cecDevice.ErrorFeedback.BoolValue)
+ Debug.LogMessage(LogEventLevel.Verbose, this, "CEC NAK Error");
+ }
+
+ void OnDataReceived(string s)
+ {
+ var bytesHandler = BytesReceived;
+ if (bytesHandler != null)
+ {
+ var bytes = Encoding.GetEncoding(28591).GetBytes(s);
+ if (StreamDebugging.RxStreamDebuggingIsEnabled)
+ Debug.LogMessage(LogEventLevel.Information, this, "Received: '{0}'", ComTextHelper.GetEscapedText(bytes));
+ bytesHandler(this, new GenericCommMethodReceiveBytesArgs(bytes));
+ }
+ var textHandler = TextReceived;
+ if (textHandler != null)
+ {
+ if (StreamDebugging.RxStreamDebuggingIsEnabled)
+ Debug.LogMessage(LogEventLevel.Information, this, "Received: '{0}'", s);
+ textHandler(this, new GenericCommMethodReceiveTextArgs(s));
+ }
+ }
+
+ #region IBasicCommunication Members
+
+ public void SendText(string text)
+ {
+ if (Port == null)
+ return;
+ if (StreamDebugging.TxStreamDebuggingIsEnabled)
+ Debug.LogMessage(LogEventLevel.Information, this, "Sending {0} characters of text: '{1}'", text.Length, text);
+ Port.StreamCec.Send.StringValue = text;
+ }
+
+ public void SendBytes(byte[] bytes)
+ {
+ if (Port == null)
+ return;
+ var text = Encoding.GetEncoding(28591).GetString(bytes, 0, bytes.Length);
+ if (StreamDebugging.TxStreamDebuggingIsEnabled)
+ Debug.LogMessage(LogEventLevel.Information, this, "Sending {0} bytes: '{1}'", bytes.Length, ComTextHelper.GetEscapedText(bytes));
+ Port.StreamCec.Send.StringValue = text;
+ }
+
+ public void Connect()
+ {
+ }
+
+ public void Disconnect()
+ {
+ }
+
+ #endregion
+
+ ///
+ ///
+ ///
+ ///
+ public void SimulateReceive(string s)
+ {
+ // split out hex chars and build string
+ var split = Regex.Split(s, @"(\\[Xx][0-9a-fA-F][0-9a-fA-F])");
+ StringBuilder b = new StringBuilder();
+ foreach (var t in split)
+ {
+ if (t.StartsWith(@"\") && t.Length == 4)
+ b.Append((char)(Convert.ToByte(t.Substring(2, 2), 16)));
+ else
+ b.Append(t);
}
- ///
- /// Constructor
- ///
- /// key of the device
- /// CEC port
- public CecPortController(string key, ICec port)
- : base(key)
- {
- Port = port;
-
- Port.StreamCec.CecChange += new CecChangeEventHandler(StreamCec_CecChange);
- }
-
- void StreamCec_CecChange(Cec cecDevice, CecEventArgs args)
- {
- if (args.EventId == CecEventIds.CecMessageReceivedEventId)
- OnDataReceived(cecDevice.Received.StringValue);
- else if (args.EventId == CecEventIds.ErrorFeedbackEventId)
- if (cecDevice.ErrorFeedback.BoolValue)
- Debug.LogMessage(LogEventLevel.Verbose, this, "CEC NAK Error");
- }
-
- void OnDataReceived(string s)
- {
- var bytesHandler = BytesReceived;
- if (bytesHandler != null)
- {
- var bytes = Encoding.GetEncoding(28591).GetBytes(s);
- this.PrintReceivedBytes(bytes);
- bytesHandler(this, new GenericCommMethodReceiveBytesArgs(bytes));
- }
- var textHandler = TextReceived;
- if (textHandler != null)
- {
- this.PrintReceivedText(s);
- textHandler(this, new GenericCommMethodReceiveTextArgs(s));
- }
- }
-
- #region IBasicCommunication Members
-
- ///
- /// SendText method
- ///
- public void SendText(string text)
- {
- if (Port == null)
- return;
- this.PrintSentText(text);
- Port.StreamCec.Send.StringValue = text;
- }
-
- ///
- /// SendBytes method
- ///
- public void SendBytes(byte[] bytes)
- {
- if (Port == null)
- return;
- var text = Encoding.GetEncoding(28591).GetString(bytes, 0, bytes.Length);
- this.PrintSentBytes(bytes);
- Debug.LogMessage(LogEventLevel.Information, this, "Sending {0} bytes: '{1}'", bytes.Length, ComTextHelper.GetEscapedText(bytes));
- Port.StreamCec.Send.StringValue = text;
- }
-
- ///
- /// Connect method
- ///
- public void Connect()
- {
- }
-
- ///
- /// Disconnect method
- ///
- public void Disconnect()
- {
- }
-
- #endregion
-
- ///
- ///
- ///
- ///
- ///
- /// SimulateReceive method
- ///
- public void SimulateReceive(string s)
- {
- // split out hex chars and build string
- var split = Regex.Split(s, @"(\\[Xx][0-9a-fA-F][0-9a-fA-F])");
- StringBuilder b = new StringBuilder();
- foreach (var t in split)
- {
- if (t.StartsWith(@"\") && t.Length == 4)
- b.Append((char)(Convert.ToByte(t.Substring(2, 2), 16)));
- else
- b.Append(t);
- }
-
- OnDataReceived(b.ToString());
- }
+ OnDataReceived(b.ToString());
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Comm and IR/ComPortController.cs b/src/PepperDash.Essentials.Core/Comm and IR/ComPortController.cs
index ec679fae..a4407e01 100644
--- a/src/PepperDash.Essentials.Core/Comm and IR/ComPortController.cs
+++ b/src/PepperDash.Essentials.Core/Comm and IR/ComPortController.cs
@@ -9,17 +9,11 @@ using PepperDash.Core.Logging;
using Serilog.Events;
-namespace PepperDash.Essentials.Core
-{
- ///
- /// Represents a ComPortController
- ///
+namespace PepperDash.Essentials.Core;
+
public class ComPortController : Device, IBasicCommunicationWithStreamDebugging
{
- ///
- /// Gets or sets the StreamDebugging
- ///
- public CommunicationStreamDebugging StreamDebugging { get; private set; }
+ public CommunicationStreamDebugging StreamDebugging { get; private set; }
///
/// Event fired when bytes are received
@@ -39,27 +33,20 @@ namespace PepperDash.Essentials.Core
ComPort Port;
ComPort.ComPortSpec Spec;
- ///
- /// Constructor
- ///
- ///
- ///
- ///
- ///
- public ComPortController(string key, Func postActivationFunc,
- ComPort.ComPortSpec spec, EssentialsControlPropertiesConfig config) : base(key)
- {
- StreamDebugging = new CommunicationStreamDebugging(key);
+ public ComPortController(string key, Func postActivationFunc,
+ ComPort.ComPortSpec spec, EssentialsControlPropertiesConfig config) : base(key)
+ {
+ StreamDebugging = new CommunicationStreamDebugging(key);
Spec = spec;
- AddPostActivationAction(() =>
- {
- Port = postActivationFunc(config);
+ AddPostActivationAction(() =>
+ {
+ Port = postActivationFunc(config);
- RegisterAndConfigureComPort();
- });
- }
+ RegisterAndConfigureComPort();
+ });
+ }
///
/// Constructor
@@ -83,13 +70,22 @@ namespace PepperDash.Essentials.Core
RegisterAndConfigureComPort();
}
- private void RegisterAndConfigureComPort()
- {
- if (Port == null)
- {
- this.LogInformation($"Configured {Port.Parent.GetType().Name}-comport-{Port.ID} for {Key} does not exist.");
- return;
- }
+ private void RegisterAndConfigureComPort()
+ {
+ if (Port == null)
+ {
+ Debug.LogMessage(LogEventLevel.Information, this, "Configured com Port for this device does not exist.");
+ return;
+ }
+ if (Port.Parent is CrestronControlSystem)
+ {
+ var result = Port.Register();
+ if (result != eDeviceRegistrationUnRegistrationResponse.Success)
+ {
+ Debug.LogMessage(LogEventLevel.Information, this, "ERROR: Cannot register Com port: {0}", result);
+ return; // false
+ }
+ }
if (Port.Parent is CrestronControlSystem || Port.Parent is CenIoCom102)
@@ -124,31 +120,33 @@ namespace PepperDash.Essentials.Core
void Port_SerialDataReceived(ComPort ReceivingComPort, ComPortSerialDataEventArgs args)
{
- OnDataReceived(args.SerialData);
+ OnDataReceived(args.SerialData);
}
- void OnDataReceived(string s)
- {
+ void OnDataReceived(string s)
+ {
var eventSubscribed = false;
- var bytesHandler = BytesReceived;
- if (bytesHandler != null)
- {
- var bytes = Encoding.GetEncoding(28591).GetBytes(s);
- this.PrintReceivedBytes(bytes);
- bytesHandler(this, new GenericCommMethodReceiveBytesArgs(bytes));
+ var bytesHandler = BytesReceived;
+ if (bytesHandler != null)
+ {
+ var bytes = Encoding.GetEncoding(28591).GetBytes(s);
+ if (StreamDebugging.RxStreamDebuggingIsEnabled)
+ Debug.LogMessage(LogEventLevel.Information, this, "Received: '{0}'", ComTextHelper.GetEscapedText(bytes));
+ bytesHandler(this, new GenericCommMethodReceiveBytesArgs(bytes));
eventSubscribed = true;
- }
- var textHandler = TextReceived;
- if (textHandler != null)
- {
- this.PrintReceivedText(s);
- textHandler(this, new GenericCommMethodReceiveTextArgs(s));
+ }
+ var textHandler = TextReceived;
+ if (textHandler != null)
+ {
+ if (StreamDebugging.RxStreamDebuggingIsEnabled)
+ Debug.LogMessage(LogEventLevel.Information, this, "Received: '{0}'", s);
+ textHandler(this, new GenericCommMethodReceiveTextArgs(s));
eventSubscribed = true;
- }
+ }
- if (!eventSubscribed) Debug.LogMessage(LogEventLevel.Warning, this, "Received data but no handler is registered");
- }
+ if(!eventSubscribed) Debug.LogMessage(LogEventLevel.Warning, this, "Received data but no handler is registered");
+ }
///
/// Deactivate method
@@ -169,8 +167,9 @@ namespace PepperDash.Essentials.Core
if (Port == null)
return;
- this.PrintSentText(text);
- Port.Send(text);
+ if (StreamDebugging.TxStreamDebuggingIsEnabled)
+ Debug.LogMessage(LogEventLevel.Information, this, "Sending {0} characters of text: '{1}'", text.Length, text);
+ Port.Send(text);
}
///
@@ -181,7 +180,8 @@ namespace PepperDash.Essentials.Core
if (Port == null)
return;
var text = Encoding.GetEncoding(28591).GetString(bytes, 0, bytes.Length);
- this.PrintSentBytes(bytes);
+ if (StreamDebugging.TxStreamDebuggingIsEnabled)
+ Debug.LogMessage(LogEventLevel.Information, this, "Sending {0} bytes: '{1}'", bytes.Length, ComTextHelper.GetEscapedText(bytes));
Port.Send(text);
}
@@ -202,27 +202,23 @@ namespace PepperDash.Essentials.Core
#endregion
- ///
- ///
- ///
- ///
- ///
- /// SimulateReceive method
- ///
- public void SimulateReceive(string s)
- {
- // split out hex chars and build string
- var split = Regex.Split(s, @"(\\[Xx][0-9a-fA-F][0-9a-fA-F])");
- StringBuilder b = new StringBuilder();
- foreach (var t in split)
- {
- if (t.StartsWith(@"\") && t.Length == 4)
- b.Append((char)(Convert.ToByte(t.Substring(2, 2), 16)));
- else
- b.Append(t);
- }
+ ///
+ ///
+ ///
+ ///
+ public void SimulateReceive(string s)
+ {
+ // split out hex chars and build string
+ var split = Regex.Split(s, @"(\\[Xx][0-9a-fA-F][0-9a-fA-F])");
+ StringBuilder b = new StringBuilder();
+ foreach (var t in split)
+ {
+ if (t.StartsWith(@"\") && t.Length == 4)
+ b.Append((char)(Convert.ToByte(t.Substring(2, 2), 16)));
+ else
+ b.Append(t);
+ }
- OnDataReceived(b.ToString());
- }
+ OnDataReceived(b.ToString());
+ }
}
-}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Comm and IR/ComSpecJsonConverter.cs b/src/PepperDash.Essentials.Core/Comm and IR/ComSpecJsonConverter.cs
index 11e2bc74..6ef2f916 100644
--- a/src/PepperDash.Essentials.Core/Comm and IR/ComSpecJsonConverter.cs
+++ b/src/PepperDash.Essentials.Core/Comm and IR/ComSpecJsonConverter.cs
@@ -13,119 +13,89 @@ using Newtonsoft.Json.Linq;
using PepperDash.Core;
-namespace PepperDash.Essentials.Core
+namespace PepperDash.Essentials.Core;
+
+///
+/// This converter creates a proper ComPort.ComPortSpec struct from more-friendly JSON values. It uses
+/// ComSpecPropsJsonConverter to finish the individual properties.
+///
+public class ComSpecJsonConverter : JsonConverter
{
- ///
- /// This converter creates a proper ComPort.ComPortSpec struct from more-friendly JSON values. It uses
- /// ComSpecPropsJsonConverter to finish the individual properties.
- ///
- public class ComSpecJsonConverter : JsonConverter
+ public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
{
- ///
- /// ReadJson method
- ///
- /// reader to use
- /// type of the object being read
- /// existing value of the object being read
- /// serializer to use
- /// deserialized object
- public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
+ if (objectType == typeof(ComPort.ComPortSpec?))
{
- if (objectType == typeof(ComPort.ComPortSpec?))
- {
- var newSer = new JsonSerializer();
- newSer.Converters.Add(new ComSpecPropsJsonConverter());
- newSer.ObjectCreationHandling = ObjectCreationHandling.Replace;
- return newSer.Deserialize(reader);
- }
- return null;
- }
-
- ///
- /// CanConvert method
- ///
- ///
- public override bool CanConvert(Type objectType)
- {
- return objectType == typeof(ComPort.ComPortSpec?);
- }
-
- ///
- /// Gets or sets the CanRead
- ///
- public override bool CanRead { get { return true; } }
-
- ///
- /// Gets or sets the CanWrite
- ///
- ///
- public override bool CanWrite { get { return false; } }
-
- ///
- /// WriteJson method
- ///
- ///
- public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
- {
- throw new NotImplementedException();
+ var newSer = new JsonSerializer();
+ newSer.Converters.Add(new ComSpecPropsJsonConverter());
+ newSer.ObjectCreationHandling = ObjectCreationHandling.Replace;
+ return newSer.Deserialize(reader);
}
+ return null;
}
///
- /// Represents a ComSpecPropsJsonConverter
+ ///
///
- public class ComSpecPropsJsonConverter : JsonConverter
+ public override bool CanConvert(Type objectType)
{
- ///
- public override bool CanConvert(Type objectType)
- {
- return objectType == typeof(ComPort.eComBaudRates)
- || objectType == typeof(ComPort.eComDataBits)
- || objectType == typeof(ComPort.eComParityType)
- || objectType == typeof(ComPort.eComHardwareHandshakeType)
- || objectType == typeof(ComPort.eComSoftwareHandshakeType)
- || objectType == typeof(ComPort.eComProtocolType)
- || objectType == typeof(ComPort.eComStopBits);
- }
-
- ///
- /// Gets or sets the CanRead
- ///
- ///
- public override bool CanRead { get { return true; } }
-
- ///
- /// ReadJson method
- ///
- public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
- {
- //Debug.LogMessage(LogEventLevel.Verbose, "ReadJson type: " + objectType.Name);
- if (objectType == typeof(ComPort.eComBaudRates))
- return Enum.Parse(typeof(ComPort.eComBaudRates), "ComspecBaudRate" + reader.Value, false);
- else if (objectType == typeof(ComPort.eComDataBits))
- return Enum.Parse(typeof(ComPort.eComDataBits), "ComspecDataBits" + reader.Value, true);
- else if (objectType == typeof(ComPort.eComHardwareHandshakeType))
- return Enum.Parse(typeof(ComPort.eComHardwareHandshakeType), "ComspecHardwareHandshake" + reader.Value, true);
- else if (objectType == typeof(ComPort.eComParityType))
- return Enum.Parse(typeof(ComPort.eComParityType), "ComspecParity" + reader.Value, true);
- else if (objectType == typeof(ComPort.eComProtocolType))
- return Enum.Parse(typeof(ComPort.eComProtocolType), "ComspecProtocol" + reader.Value, true);
- else if (objectType == typeof(ComPort.eComSoftwareHandshakeType))
- return Enum.Parse(typeof(ComPort.eComSoftwareHandshakeType), "ComspecSoftwareHandshake" + reader.Value, true);
- else if (objectType == typeof(ComPort.eComStopBits))
- return Enum.Parse(typeof(ComPort.eComStopBits), "ComspecStopBits" + reader.Value, true);
- return null;
- }
-
- ///
- /// WriteJson method
- ///
- ///
- public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
- {
- throw new NotImplementedException();
- }
+ return objectType == typeof(ComPort.ComPortSpec?);
}
+ public override bool CanRead { get { return true; } }
+ ///
+ /// This converter will not be used for writing
+ ///
+ public override bool CanWrite { get { return false; } }
+
+ public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
+ {
+ throw new NotImplementedException();
+ }
+}
+
+///
+/// The gist of this converter: The comspec JSON comes in with normal values that need to be converted
+/// into enum names. This converter takes the value and applies the appropriate enum's name prefix to the value
+/// and then returns the enum value using Enum.Parse. NOTE: Does not write
+///
+public class ComSpecPropsJsonConverter : JsonConverter
+{
+ public override bool CanConvert(Type objectType)
+ {
+ return objectType == typeof(ComPort.eComBaudRates)
+ || objectType == typeof(ComPort.eComDataBits)
+ || objectType == typeof(ComPort.eComParityType)
+ || objectType == typeof(ComPort.eComHardwareHandshakeType)
+ || objectType == typeof(ComPort.eComSoftwareHandshakeType)
+ || objectType == typeof(ComPort.eComProtocolType)
+ || objectType == typeof(ComPort.eComStopBits);
+ }
+
+ public override bool CanRead { get { return true; } }
+
+ public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
+ {
+ //Debug.LogMessage(LogEventLevel.Verbose, "ReadJson type: " + objectType.Name);
+ if (objectType == typeof(ComPort.eComBaudRates))
+ return Enum.Parse(typeof(ComPort.eComBaudRates), "ComspecBaudRate" + reader.Value, false);
+ else if (objectType == typeof(ComPort.eComDataBits))
+ return Enum.Parse(typeof(ComPort.eComDataBits), "ComspecDataBits" + reader.Value, true);
+ else if (objectType == typeof(ComPort.eComHardwareHandshakeType))
+ return Enum.Parse(typeof(ComPort.eComHardwareHandshakeType), "ComspecHardwareHandshake" + reader.Value, true);
+ else if (objectType == typeof(ComPort.eComParityType))
+ return Enum.Parse(typeof(ComPort.eComParityType), "ComspecParity" + reader.Value, true);
+ else if (objectType == typeof(ComPort.eComProtocolType))
+ return Enum.Parse(typeof(ComPort.eComProtocolType), "ComspecProtocol" + reader.Value, true);
+ else if (objectType == typeof(ComPort.eComSoftwareHandshakeType))
+ return Enum.Parse(typeof(ComPort.eComSoftwareHandshakeType), "ComspecSoftwareHandshake" + reader.Value, true);
+ else if (objectType == typeof(ComPort.eComStopBits))
+ return Enum.Parse(typeof(ComPort.eComStopBits), "ComspecStopBits" + reader.Value, true);
+ return null;
+ }
+
+ public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
+ {
+ throw new NotImplementedException();
+ }
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Comm and IR/CommFactory.cs b/src/PepperDash.Essentials.Core/Comm and IR/CommFactory.cs
index 9318e04b..c6a10622 100644
--- a/src/PepperDash.Essentials.Core/Comm and IR/CommFactory.cs
+++ b/src/PepperDash.Essentials.Core/Comm and IR/CommFactory.cs
@@ -8,8 +8,8 @@ using PepperDash.Core;
using PepperDash.Essentials.Core.Config;
using Serilog.Events;
-namespace PepperDash.Essentials.Core
-{
+namespace PepperDash.Essentials.Core;
+
///
///
///
@@ -59,43 +59,35 @@ namespace PepperDash.Essentials.Core
case eControlMethod.Com:
comm = new ComPortController(deviceConfig.Key + "-com", GetComPort, controlConfig.ComParams.Value, controlConfig);
break;
- case eControlMethod.ComBridge:
- comm = new CommBridge(deviceConfig.Key + "-simpl", deviceConfig.Name + " Simpl");
- break;
- case eControlMethod.Cec:
- comm = new CecPortController(deviceConfig.Key + "-cec", GetCecPort, controlConfig);
- break;
+ case eControlMethod.Cec:
+ comm = new CecPortController(deviceConfig.Key + "-cec", GetCecPort, controlConfig);
+ break;
case eControlMethod.IR:
break;
- case eControlMethod.Ssh:
- {
- var ssh = new GenericSshClient(deviceConfig.Key + "-ssh", c.Address, c.Port, c.Username, c.Password)
- {
- AutoReconnect = c.AutoReconnect,
- DisableEcho = c.DisableSshEcho
- };
- if (ssh.AutoReconnect)
- ssh.AutoReconnectIntervalMs = c.AutoReconnectIntervalMs;
- comm = ssh;
- break;
- }
- case eControlMethod.Tcpip:
- {
- var tcp = new GenericTcpIpClient(deviceConfig.Key + "-tcp", c.Address, c.Port, c.BufferSize)
- {
- AutoReconnect = c.AutoReconnect
- };
- if (tcp.AutoReconnect)
- tcp.AutoReconnectIntervalMs = c.AutoReconnectIntervalMs;
- comm = tcp;
- break;
- }
- case eControlMethod.Udp:
- {
- var udp = new GenericUdpServer(deviceConfig.Key + "-udp", c.Address, c.Port, c.BufferSize);
- comm = udp;
- break;
- }
+ case eControlMethod.Ssh:
+ {
+ var ssh = new GenericSshClient(deviceConfig.Key + "-ssh", c.Address, c.Port, c.Username, c.Password);
+ ssh.AutoReconnect = c.AutoReconnect;
+ if(ssh.AutoReconnect)
+ ssh.AutoReconnectIntervalMs = c.AutoReconnectIntervalMs;
+ comm = ssh;
+ break;
+ }
+ case eControlMethod.Tcpip:
+ {
+ var tcp = new GenericTcpIpClient(deviceConfig.Key + "-tcp", c.Address, c.Port, c.BufferSize);
+ tcp.AutoReconnect = c.AutoReconnect;
+ if (tcp.AutoReconnect)
+ tcp.AutoReconnectIntervalMs = c.AutoReconnectIntervalMs;
+ comm = tcp;
+ break;
+ }
+ case eControlMethod.Udp:
+ {
+ var udp = new GenericUdpServer(deviceConfig.Key + "-udp", c.Address, c.Port, c.BufferSize);
+ comm = udp;
+ break;
+ }
case eControlMethod.Telnet:
break;
case eControlMethod.SecureTcpIp:
@@ -138,19 +130,16 @@ namespace PepperDash.Essentials.Core
return null;
}
- ///
- /// Gets an ICec port from a RoutingInput or RoutingOutput on a device
- ///
- ///
- ///
- ///
- /// GetCecPort method
- ///
- public static ICec GetCecPort(ControlPropertiesConfig config)
- {
- try
- {
- var dev = DeviceManager.GetDeviceForKey(config.ControlPortDevKey);
+ ///
+ /// Gets an ICec port from a RoutingInput or RoutingOutput on a device
+ ///
+ ///
+ ///
+ public static ICec GetCecPort(ControlPropertiesConfig config)
+ {
+ try
+ {
+ var dev = DeviceManager.GetDeviceForKey(config.ControlPortDevKey);
Debug.LogMessage(LogEventLevel.Information, "GetCecPort: device '{0}' {1}", config.ControlPortDevKey, dev == null
? "is not valid, failed to get cec port"
@@ -196,7 +185,7 @@ namespace PepperDash.Essentials.Core
config.ControlPortDevKey, config.ControlPortName);
return null;
- }
+ }
///
/// Helper to grab the IComPorts device for this PortDeviceKey. Key "controlSystem" will
@@ -222,86 +211,65 @@ namespace PepperDash.Essentials.Core
}
}
- ///
- /// Represents a EssentialsControlPropertiesConfig
- ///
- public class EssentialsControlPropertiesConfig :
- ControlPropertiesConfig
- {
- ///
- /// Gets or sets the ComParams
- ///
- [JsonProperty("comParams", NullValueHandling = NullValueHandling.Ignore)]
- [JsonConverter(typeof(ComSpecJsonConverter))]
- public ComPort.ComPortSpec? ComParams { get; set; }
+///
+///
+///
+public class EssentialsControlPropertiesConfig :
+ ControlPropertiesConfig
+{
- ///
- /// Gets or sets the CresnetId
- ///
- [JsonProperty("cresnetId", NullValueHandling = NullValueHandling.Ignore)]
- public string CresnetId { get; set; }
+ [JsonProperty("comParams", NullValueHandling = NullValueHandling.Ignore)]
+ [JsonConverter(typeof(ComSpecJsonConverter))]
+ public ComPort.ComPortSpec? ComParams { get; set; }
- ///
- /// Attempts to provide uint conversion of string CresnetId
- ///
- [JsonIgnore]
- public uint CresnetIdInt
- {
- get
- {
- try
- {
- return Convert.ToUInt32(CresnetId, 16);
- }
- catch (Exception)
- {
- throw new FormatException(string.Format("ERROR:Unable to convert Cresnet ID: {0} to hex. Error:\n{1}", CresnetId));
- }
- }
- }
+ [JsonProperty("cresnetId", NullValueHandling = NullValueHandling.Ignore)]
+ public string CresnetId { get; set; }
- ///
- /// Gets or sets the InfinetId
- ///
- [JsonProperty("infinetId", NullValueHandling = NullValueHandling.Ignore)]
- public string InfinetId { get; set; }
+ ///
+ /// Attempts to provide uint conversion of string CresnetId
+ ///
+ [JsonIgnore]
+ public uint CresnetIdInt
+ {
+ get
+ {
+ try
+ {
+ return Convert.ToUInt32(CresnetId, 16);
+ }
+ catch (Exception)
+ {
+ throw new FormatException(string.Format("ERROR:Unable to convert Cresnet ID: {0} to hex. Error:\n{1}", CresnetId));
+ }
+ }
+ }
- ///
- /// Attepmts to provide uiont conversion of string InifinetId
- ///
- [JsonIgnore]
- public uint InfinetIdInt
- {
- get
- {
- try
- {
- return Convert.ToUInt32(InfinetId, 16);
- }
- catch (Exception)
- {
- throw new FormatException(string.Format("ERROR:Unable to conver Infinet ID: {0} to hex. Error:\n{1}", InfinetId));
- }
- }
- }
- }
+ [JsonProperty("infinetId", NullValueHandling = NullValueHandling.Ignore)]
+ public string InfinetId { get; set; }
- ///
- /// Represents a IrControlSpec
- ///
- public class IrControlSpec
- {
- ///
- /// Gets or sets the PortDeviceKey
- ///
- public string PortDeviceKey { get; set; }
- ///
- /// Gets or sets the PortNumber
- ///
- public uint PortNumber { get; set; }
- ///
- /// Gets or sets the File
- ///
- public string File { get; set; }
- }
+ ///
+ /// Attepmts to provide uiont conversion of string InifinetId
+ ///
+ [JsonIgnore]
+ public uint InfinetIdInt
+ {
+ get
+ {
+ try
+ {
+ return Convert.ToUInt32(InfinetId, 16);
+ }
+ catch (Exception)
+ {
+ throw new FormatException(string.Format("ERROR:Unable to conver Infinet ID: {0} to hex. Error:\n{1}", InfinetId));
+ }
+ }
+ }
+}
+
+public class IrControlSpec
+{
+ public string PortDeviceKey { get; set; }
+ public uint PortNumber { get; set; }
+ public string File { get; set; }
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Comm and IR/CommunicationExtras.cs b/src/PepperDash.Essentials.Core/Comm and IR/CommunicationExtras.cs
index d9bd0974..cc188fa7 100644
--- a/src/PepperDash.Essentials.Core/Comm and IR/CommunicationExtras.cs
+++ b/src/PepperDash.Essentials.Core/Comm and IR/CommunicationExtras.cs
@@ -13,8 +13,8 @@ using Newtonsoft.Json.Linq;
using PepperDash.Core;
-namespace PepperDash.Essentials.Core
-{
+namespace PepperDash.Essentials.Core;
+
///
///
///
@@ -24,5 +24,4 @@ namespace PepperDash.Essentials.Core
/// Gets the Device
///
IComPorts Device { get; }
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Comm and IR/ConsoleCommMockDevice.cs b/src/PepperDash.Essentials.Core/Comm and IR/ConsoleCommMockDevice.cs
index 7c2af905..3f7f3097 100644
--- a/src/PepperDash.Essentials.Core/Comm and IR/ConsoleCommMockDevice.cs
+++ b/src/PepperDash.Essentials.Core/Comm and IR/ConsoleCommMockDevice.cs
@@ -9,11 +9,8 @@ using PepperDash.Essentials.Core.Config;
using Serilog.Events;
-namespace PepperDash.Essentials.Core
-{
- ///
- /// Represents a ConsoleCommMockDevice
- ///
+namespace PepperDash.Essentials.Core;
+
public class ConsoleCommMockDevice : EssentialsDevice, ICommunicationMonitor
{
///
@@ -103,31 +100,19 @@ namespace PepperDash.Essentials.Core
}
}
- ///
- /// Represents a ConsoleCommMockDeviceFactory
- ///
- public class ConsoleCommMockDeviceFactory : EssentialsDeviceFactory
+public class ConsoleCommMockDeviceFactory : EssentialsDeviceFactory
+{
+ public ConsoleCommMockDeviceFactory()
{
- ///
- /// Initializes a new instance of the ConsoleCommMockDeviceFactory class.
- ///
- public ConsoleCommMockDeviceFactory()
- {
- TypeNames = new List() { "commmock" };
- }
-
- ///
- /// BuildDevice method
- ///
- ///
- public override EssentialsDevice BuildDevice(DeviceConfig dc)
- {
- Debug.LogMessage(LogEventLevel.Debug, "Factory Attempting to create new Comm Mock Device");
- var comm = CommFactory.CreateCommForDevice(dc);
- var props = Newtonsoft.Json.JsonConvert.DeserializeObject(
- dc.Properties.ToString());
- return new ConsoleCommMockDevice(dc.Key, dc.Name, props, comm);
- }
+ TypeNames = new List() { "commmock" };
}
+ public override EssentialsDevice BuildDevice(DeviceConfig dc)
+ {
+ Debug.LogMessage(LogEventLevel.Debug, "Factory Attempting to create new Comm Mock Device");
+ var comm = CommFactory.CreateCommForDevice(dc);
+ var props = Newtonsoft.Json.JsonConvert.DeserializeObject(
+ dc.Properties.ToString());
+ return new ConsoleCommMockDevice(dc.Key, dc.Name, props, comm);
+ }
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Comm and IR/GenericComm.cs b/src/PepperDash.Essentials.Core/Comm and IR/GenericComm.cs
index 069244c3..6e913968 100644
--- a/src/PepperDash.Essentials.Core/Comm and IR/GenericComm.cs
+++ b/src/PepperDash.Essentials.Core/Comm and IR/GenericComm.cs
@@ -13,164 +13,132 @@ using PepperDash.Essentials.Core.Config;
using Serilog.Events;
-namespace PepperDash.Essentials.Core
+namespace PepperDash.Essentials.Core;
+
+///
+/// Serves as a generic wrapper class for all styles of IBasicCommuncation ports
+///
+[Description("Generic communication wrapper class for any IBasicCommunication type")]
+public class GenericComm : ReconfigurableBridgableDevice
{
- ///
- /// Serves as a generic wrapper class for all styles of IBasicCommuncation ports
- ///
- [Description("Generic communication wrapper class for any IBasicCommunication type")]
- public class GenericComm : ReconfigurableBridgableDevice
+ EssentialsControlPropertiesConfig PropertiesConfig;
+
+ public IBasicCommunication CommPort { get; private set; }
+
+ public GenericComm(DeviceConfig config)
+ : base(config)
{
- EssentialsControlPropertiesConfig PropertiesConfig;
- ///
- /// Gets the CommPort
- ///
- public IBasicCommunication CommPort { get; private set; }
+ PropertiesConfig = CommFactory.GetControlPropertiesConfig(config);
- ///
- /// Constructor
- ///
- /// the config of the device
- public GenericComm(DeviceConfig config)
- : base(config)
+ var commPort = CommFactory.CreateCommForDevice(config);
+
+ //Fixing decision to require '-comPorts' in delcaration for DGE in order to get a device with comports included
+ if (commPort == null)
{
-
- PropertiesConfig = CommFactory.GetControlPropertiesConfig(config);
-
- var commPort = CommFactory.CreateCommForDevice(config);
-
- //Fixing decision to require '-comPorts' in declaration for DGE in order to get a device with comports included
- if (commPort == null)
- {
- config.Key = config.Key + "-comPorts";
- commPort = CommFactory.CreateCommForDevice(config);
- }
-
- CommPort = commPort;
-
+ config.Key = config.Key + "-comPorts";
+ commPort = CommFactory.CreateCommForDevice(config);
}
- ///
- /// BuildDevice method
- ///
- public static IKeyed BuildDevice(DeviceConfig dc)
+ CommPort = commPort;
+
+ }
+
+ public static IKeyed BuildDevice(DeviceConfig dc)
+ {
+ Debug.LogMessage(LogEventLevel.Debug, "Factory Attempting to create new Generic Comm Device");
+ return new GenericComm(dc);
+ }
+
+ public void SetPortConfig(string portConfig)
+ {
+ // TODO: Deserialize new EssentialsControlPropertiesConfig and handle as necessary
+ try
{
- Debug.LogMessage(LogEventLevel.Debug, "Factory Attempting to create new Generic Comm Device");
- return new GenericComm(dc);
+ PropertiesConfig = JsonConvert.DeserializeObject
+ (portConfig);
+ }
+ catch (Exception e)
+ {
+ Debug.LogMessage(LogEventLevel.Verbose, this, "Error deserializing port config: {0}", e);
+ }
+ }
+
+ protected override void CustomSetConfig(DeviceConfig config)
+ {
+ PropertiesConfig = CommFactory.GetControlPropertiesConfig(config);
+
+ ConfigWriter.UpdateDeviceConfig(config);
+ }
+
+ public override void LinkToApi(BasicTriList trilist, uint joinStart, string joinMapKey, EiscApiAdvanced bridge)
+ {
+ var joinMap = new IBasicCommunicationJoinMap(joinStart);
+
+ var joinMapSerialized = JoinMapHelper.GetSerializedJoinMapForDevice(joinMapKey);
+
+ if (!string.IsNullOrEmpty(joinMapSerialized))
+ joinMap = JsonConvert.DeserializeObject(joinMapSerialized);
+
+ if (bridge != null)
+ {
+ bridge.AddJoinMap(Key, joinMap);
+ }
+ else
+ {
+ Debug.LogMessage(LogEventLevel.Information, this, "Please update config to use 'eiscapiadvanced' to get all join map features for this device.");
}
- ///
- /// SetPortConfig method
- ///
- public void SetPortConfig(string portConfig)
+ if (CommPort == null)
{
- // TODO: Deserialize new EssentialsControlPropertiesConfig and handle as necessary
- try
- {
- PropertiesConfig = JsonConvert.DeserializeObject
- (portConfig);
- }
- catch (Exception e)
- {
- Debug.LogMessage(LogEventLevel.Verbose, this, "Error deserializing port config: {0}", e);
- }
+ Debug.LogMessage(LogEventLevel.Debug, this, "Unable to link device '{0}'. CommPort is null", Key);
+ return;
}
- ///
- /// CustomSetConfig method
- ///
- /// the new device configuration
- protected override void CustomSetConfig(DeviceConfig config)
+ Debug.LogMessage(LogEventLevel.Debug, this, "Linking to Trilist '{0}'", trilist.ID.ToString("X"));
+
+ // this is a permanent event handler. This cannot be -= from event
+ CommPort.TextReceived += (s, a) =>
{
- PropertiesConfig = CommFactory.GetControlPropertiesConfig(config);
+ trilist.SetString(joinMap.TextReceived.JoinNumber, a.Text);
+ };
+ trilist.SetStringSigAction(joinMap.SendText.JoinNumber, s => CommPort.SendText(s));
+ trilist.SetStringSigAction(joinMap.SetPortConfig.JoinNumber, SetPortConfig);
- ConfigWriter.UpdateDeviceConfig(config);
- }
- ///
- /// LinkToApi method
- ///
- ///
- public override void LinkToApi(BasicTriList trilist, uint joinStart, string joinMapKey, EiscApiAdvanced bridge)
+ var sComm = CommPort as ISocketStatus;
+ if (sComm == null) return;
+ sComm.ConnectionChange += (s, a) =>
{
- var joinMap = new IBasicCommunicationJoinMap(joinStart);
+ trilist.SetUshort(joinMap.Status.JoinNumber, (ushort)(a.Client.ClientStatus));
+ trilist.SetBool(joinMap.Connected.JoinNumber, a.Client.ClientStatus ==
+ SocketStatus.SOCKET_STATUS_CONNECTED);
+ };
- var joinMapSerialized = JoinMapHelper.GetSerializedJoinMapForDevice(joinMapKey);
-
- if (!string.IsNullOrEmpty(joinMapSerialized))
- joinMap = JsonConvert.DeserializeObject(joinMapSerialized);
-
- if (bridge != null)
+ trilist.SetBoolSigAction(joinMap.Connect.JoinNumber, b =>
+ {
+ if (b)
{
- bridge.AddJoinMap(Key, joinMap);
+ sComm.Connect();
}
else
{
- Debug.LogMessage(LogEventLevel.Information, this, "Please update config to use 'eiscapiadvanced' to get all join map features for this device.");
+ sComm.Disconnect();
}
+ });
+ }
+}
- if (CommPort == null)
- {
- Debug.LogMessage(LogEventLevel.Debug, this, "Unable to link device '{0}'. CommPort is null", Key);
- return;
- }
-
- Debug.LogMessage(LogEventLevel.Debug, this, "Linking to Trilist '{0}'", trilist.ID.ToString("X"));
-
- // this is a permanent event handler. This cannot be -= from event
- CommPort.TextReceived += (s, a) =>
- {
- trilist.SetString(joinMap.TextReceived.JoinNumber, a.Text);
- };
- trilist.SetStringSigAction(joinMap.SendText.JoinNumber, s => CommPort.SendText(s));
- trilist.SetStringSigAction(joinMap.SetPortConfig.JoinNumber, SetPortConfig);
-
-
- var sComm = CommPort as ISocketStatus;
- if (sComm == null) return;
- sComm.ConnectionChange += (s, a) =>
- {
- trilist.SetUshort(joinMap.Status.JoinNumber, (ushort)(a.Client.ClientStatus));
- trilist.SetBool(joinMap.Connected.JoinNumber, a.Client.ClientStatus ==
- SocketStatus.SOCKET_STATUS_CONNECTED);
- };
-
- trilist.SetBoolSigAction(joinMap.Connect.JoinNumber, b =>
- {
- if (b)
- {
- sComm.Connect();
- }
- else
- {
- sComm.Disconnect();
- }
- });
- }
+public class GenericCommFactory : EssentialsDeviceFactory
+{
+ public GenericCommFactory()
+ {
+ TypeNames = new List() { "genericComm" };
}
- ///
- /// Represents a GenericCommFactory
- ///
- public class GenericCommFactory : EssentialsDeviceFactory
+ public override EssentialsDevice BuildDevice(DeviceConfig dc)
{
- ///
- /// Initializes a new instance of the GenericCommFactory class.
- ///
- public GenericCommFactory()
- {
- TypeNames = new List() { "genericComm" };
- }
-
- ///
- /// BuildDevice method
- ///
- ///
- public override EssentialsDevice BuildDevice(DeviceConfig dc)
- {
- Debug.LogMessage(LogEventLevel.Debug, "Factory Attempting to create new Generic Comm Device");
- return new GenericComm(dc);
- }
+ Debug.LogMessage(LogEventLevel.Debug, "Factory Attempting to create new Generic Comm Device");
+ return new GenericComm(dc);
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Comm and IR/GenericHttpClient.cs b/src/PepperDash.Essentials.Core/Comm and IR/GenericHttpClient.cs
index e02027b3..d1c3a7c8 100644
--- a/src/PepperDash.Essentials.Core/Comm and IR/GenericHttpClient.cs
+++ b/src/PepperDash.Essentials.Core/Comm and IR/GenericHttpClient.cs
@@ -2,13 +2,9 @@
using PepperDash.Core;
using System;
-namespace PepperDash.Essentials.Core
-{
-
- ///
- /// Represents a GenericHttpClient
- ///
- [Obsolete("Please use the builtin HttpClient class instead: https://learn.microsoft.com/en-us/dotnet/fundamentals/networking/http/httpclient-guidelines")]
+namespace PepperDash.Essentials.Core;
+
+[Obsolete("Please use the builtin HttpClient class instead: https://learn.microsoft.com/en-us/dotnet/fundamentals/networking/http/httpclient-guidelines")]
public class GenericHttpClient : Device, IBasicCommunication
{
private readonly HttpClient Client;
@@ -27,13 +23,13 @@ namespace PepperDash.Essentials.Core
public GenericHttpClient(string key, string name, string hostname)
: base(key, name)
{
- Client = new HttpClient
- {
- HostName = hostname
- };
+ Client = new HttpClient
+ {
+ HostName = hostname
+ };
- }
+ }
///
/// SendText method
@@ -87,8 +83,8 @@ namespace PepperDash.Essentials.Core
if (responseReceived.ContentString.Length > 0)
{
- ResponseRecived?.Invoke(this, new GenericHttpClientEventArgs(responseReceived.ContentString, (request as HttpClientRequest).Url.ToString(), error));
- }
+ ResponseRecived?.Invoke(this, new GenericHttpClientEventArgs(responseReceived.ContentString, (request as HttpClientRequest).Url.ToString(), error));
+ }
}
}
@@ -180,5 +176,4 @@ namespace PepperDash.Essentials.Core
RequestPath = request;
Error = error;
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Comm and IR/IRPortHelper.cs b/src/PepperDash.Essentials.Core/Comm and IR/IRPortHelper.cs
index 6ca4b533..b4d4069d 100644
--- a/src/PepperDash.Essentials.Core/Comm and IR/IRPortHelper.cs
+++ b/src/PepperDash.Essentials.Core/Comm and IR/IRPortHelper.cs
@@ -12,8 +12,8 @@ using PepperDash.Core;
using PepperDash.Essentials.Core.Config;
using Serilog.Events;
-namespace PepperDash.Essentials.Core
-{
+namespace PepperDash.Essentials.Core;
+
///
/// Helper class for IR port operations
///
@@ -145,7 +145,7 @@ namespace PepperDash.Essentials.Core
var port = irDev.IROutputPorts[portNum];
-
+
return port;
}
@@ -157,82 +157,82 @@ namespace PepperDash.Essentials.Core
/// IrOutputPortController object
public static IrOutputPortController GetIrOutputPortController(DeviceConfig config)
{
- Debug.LogMessage(LogEventLevel.Debug, "Attempting to create new Ir Port Controller");
+ Debug.LogMessage(LogEventLevel.Debug, "Attempting to create new Ir Port Controller");
if (config == null)
{
return null;
}
- var postActivationFunc = new Func (GetIrOutputPort);
+ var postActivationFunc = new Func (GetIrOutputPort);
var irDevice = new IrOutputPortController(config.Key + "-ir", postActivationFunc, config);
return irDevice;
}
/*
- ///
- /// GetIrOutputPortController method
- ///
- public static IrOutputPortController GetIrOutputPortController(DeviceConfig devConf)
+ ///
+ /// Returns a ready-to-go IrOutputPortController from a DeviceConfig object.
+ ///
+ public static IrOutputPortController GetIrOutputPortController(DeviceConfig devConf)
+ {
+ var irControllerKey = devConf.Key + "-ir";
+ if (devConf.Properties == null)
{
- var irControllerKey = devConf.Key + "-ir";
- if (devConf.Properties == null)
- {
- Debug.LogMessage(LogEventLevel.Information, "[{0}] WARNING: Device config does not include properties. IR will not function.", devConf.Key);
- return new IrOutputPortController(irControllerKey, null, "");
- }
+ Debug.LogMessage(LogEventLevel.Information, "[{0}] WARNING: Device config does not include properties. IR will not function.", devConf.Key);
+ return new IrOutputPortController(irControllerKey, null, "");
+ }
- var control = devConf.Properties["control"];
- if (control == null)
- {
- var c = new IrOutputPortController(irControllerKey, null, "");
- Debug.LogMessage(LogEventLevel.Information, c, "WARNING: Device config does not include control properties. IR will not function");
- return c;
- }
+ var control = devConf.Properties["control"];
+ if (control == null)
+ {
+ var c = new IrOutputPortController(irControllerKey, null, "");
+ Debug.LogMessage(LogEventLevel.Information, c, "WARNING: Device config does not include control properties. IR will not function");
+ return c;
+ }
- var portDevKey = control.Value("controlPortDevKey");
- var portNum = control.Value("controlPortNumber");
- IIROutputPorts irDev = null;
+ var portDevKey = control.Value("controlPortDevKey");
+ var portNum = control.Value("controlPortNumber");
+ IIROutputPorts irDev = null;
- if (portDevKey == null)
- {
- var c = new IrOutputPortController(irControllerKey, null, "");
- Debug.LogMessage(LogEventLevel.Information, c, "WARNING: control properties is missing ir device");
- return c;
- }
+ if (portDevKey == null)
+ {
+ var c = new IrOutputPortController(irControllerKey, null, "");
+ Debug.LogMessage(LogEventLevel.Information, c, "WARNING: control properties is missing ir device");
+ return c;
+ }
- if (portNum == 0)
- {
- var c = new IrOutputPortController(irControllerKey, null, "");
- Debug.LogMessage(LogEventLevel.Information, c, "WARNING: control properties is missing ir port number");
- return c;
- }
+ if (portNum == 0)
+ {
+ var c = new IrOutputPortController(irControllerKey, null, "");
+ Debug.LogMessage(LogEventLevel.Information, c, "WARNING: control properties is missing ir port number");
+ return c;
+ }
- if (portDevKey.Equals("controlSystem", StringComparison.OrdinalIgnoreCase)
- || portDevKey.Equals("processor", StringComparison.OrdinalIgnoreCase))
- irDev = Global.ControlSystem;
- else
- irDev = DeviceManager.GetDeviceForKey(portDevKey) as IIROutputPorts;
+ if (portDevKey.Equals("controlSystem", StringComparison.OrdinalIgnoreCase)
+ || portDevKey.Equals("processor", StringComparison.OrdinalIgnoreCase))
+ irDev = Global.ControlSystem;
+ else
+ irDev = DeviceManager.GetDeviceForKey(portDevKey) as IIROutputPorts;
- if (irDev == null)
- {
- var c = new IrOutputPortController(irControllerKey, null, "");
- Debug.LogMessage(LogEventLevel.Information, c, "WARNING: device with IR ports '{0}' not found", portDevKey);
- return c;
- }
+ if (irDev == null)
+ {
+ var c = new IrOutputPortController(irControllerKey, null, "");
+ Debug.LogMessage(LogEventLevel.Information, c, "WARNING: device with IR ports '{0}' not found", portDevKey);
+ return c;
+ }
- if (portNum <= irDev.NumberOfIROutputPorts) // success!
- return new IrOutputPortController(irControllerKey, irDev.IROutputPorts[portNum],
- IrDriverPathPrefix + control["irFile"].Value());
- else
- {
- var c = new IrOutputPortController(irControllerKey, null, "");
- Debug.LogMessage(LogEventLevel.Information, c, "WARNING: device '{0}' IR port {1} out of range",
- portDevKey, portNum);
- return c;
- }
- }*/
+ if (portNum <= irDev.NumberOfIROutputPorts) // success!
+ return new IrOutputPortController(irControllerKey, irDev.IROutputPorts[portNum],
+ IrDriverPathPrefix + control["irFile"].Value());
+ else
+ {
+ var c = new IrOutputPortController(irControllerKey, null, "");
+ Debug.LogMessage(LogEventLevel.Information, c, "WARNING: device '{0}' IR port {1} out of range",
+ portDevKey, portNum);
+ return c;
+ }
+ }*/
}
///
@@ -265,5 +265,4 @@ namespace PepperDash.Essentials.Core
{
FileName = "";
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Config/AudioControlPointListItem.cs b/src/PepperDash.Essentials.Core/Config/AudioControlPointListItem.cs
index 54cc3574..3a3e2fc8 100644
--- a/src/PepperDash.Essentials.Core/Config/AudioControlPointListItem.cs
+++ b/src/PepperDash.Essentials.Core/Config/AudioControlPointListItem.cs
@@ -6,24 +6,14 @@ using System.Linq;
using System.Text;
using System.Threading.Tasks;
-namespace PepperDash.Essentials.Core.Config
+namespace PepperDash.Essentials.Core.Config;
+
+public class AudioControlPointListItem
{
- ///
- /// Represents a AudioControlPointListItem
- ///
- public class AudioControlPointListItem
- {
- ///
- /// Level controls for this audio control point
- ///
- [JsonProperty("levelControls")]
- public Dictionary LevelControls { get; set; } = new Dictionary();
+ [JsonProperty("levelControls")]
+ public Dictionary LevelControls { get; set; } = new Dictionary();
- ///
- /// Presets for this audio control point
- ///
- [JsonProperty("presets")]
- public Dictionary Presets { get; set; } = new Dictionary();
+ [JsonProperty("presets")]
+ public Dictionary Presets { get; set; } = new Dictionary();
- }
}
diff --git a/src/PepperDash.Essentials.Core/Config/BasicConfig.cs b/src/PepperDash.Essentials.Core/Config/BasicConfig.cs
index 435d448f..2e499ed4 100644
--- a/src/PepperDash.Essentials.Core/Config/BasicConfig.cs
+++ b/src/PepperDash.Essentials.Core/Config/BasicConfig.cs
@@ -7,8 +7,8 @@ using Newtonsoft.Json;
using Newtonsoft.Json.Linq;
using PepperDash.Essentials.Core.Devices;
-namespace PepperDash.Essentials.Core.Config
-{
+namespace PepperDash.Essentials.Core.Config;
+
///
/// Override this and splice on specific room type behavior, as well as other properties
///
@@ -32,50 +32,32 @@ namespace PepperDash.Essentials.Core.Config
[JsonProperty("sourceLists")]
public Dictionary> SourceLists { get; set; }
- ///
- /// Gets or sets the DestinationLists
- ///
- [JsonProperty("destinationLists")]
- public Dictionary> DestinationLists { get; set; }
+ [JsonProperty("destinationLists")]
+ public Dictionary> DestinationLists { get; set; }
- ///
- /// Gets or sets the AudioControlPointLists
- ///
- [JsonProperty("audioControlPointLists")]
- public Dictionary AudioControlPointLists { get; set; }
+ [JsonProperty("audioControlPointLists")]
+ public Dictionary AudioControlPointLists { get; set; }
- ///
- /// Gets or sets the CameraLists
- ///
- [JsonProperty("cameraLists")]
- public Dictionary> CameraLists { get; set; }
+ [JsonProperty("cameraLists")]
+ public Dictionary> CameraLists { get; set; }
- ///
- /// Gets or sets the TieLines
- ///
- [JsonProperty("tieLines")]
- public List TieLines { get; set; }
+ [JsonProperty("tieLines")]
+ public List TieLines { get; set; }
- ///
- /// Gets or sets the JoinMaps
- ///
- [JsonProperty("joinMaps")]
- public Dictionary JoinMaps { get; set; }
+ [JsonProperty("joinMaps")]
+ public Dictionary JoinMaps { get; set; }
- ///
- /// BasicConfig Constructor
- ///
- public BasicConfig()
- {
- Info = new InfoConfig();
- Devices = new List();
- SourceLists = new Dictionary>();
- DestinationLists = new Dictionary>();
- AudioControlPointLists = new Dictionary();
- CameraLists = new Dictionary>();
- TieLines = new List();
- JoinMaps = new Dictionary();
- }
+ public BasicConfig()
+ {
+ Info = new InfoConfig();
+ Devices = new List();
+ SourceLists = new Dictionary>();
+ DestinationLists = new Dictionary>();
+ AudioControlPointLists = new Dictionary();
+ CameraLists = new Dictionary>();
+ TieLines = new List();
+ JoinMaps = new Dictionary();
+ }
///
/// Checks SourceLists for a given list and returns it if found. Otherwise, returns null
@@ -88,11 +70,11 @@ namespace PepperDash.Essentials.Core.Config
return SourceLists[key];
}
- ///
- /// Retrieves a DestinationListItem based on the key
- ///
- /// key of the list to retrieve
- /// DestinationList if the key exists, null otherwise
+ ///
+ /// Retrieves a DestinationListItem based on the key
+ ///
+ /// key of the list to retrieve
+ /// DestinationList if the key exists, null otherwise
public Dictionary GetDestinationListForKey(string key)
{
if (DestinationLists == null || string.IsNullOrEmpty(key) || !DestinationLists.ContainsKey(key))
@@ -103,51 +85,47 @@ namespace PepperDash.Essentials.Core.Config
return DestinationLists[key];
}
- ///
- /// Retrieves a AudioControlPointList based on the key
- ///
- /// key of the list to retrieve
- /// AudioControlPointList if the key exists, null otherwise
- ///
- /// GetAudioControlPointListForKey method
- ///
- public AudioControlPointListItem GetAudioControlPointListForKey(string key)
+ ///
+ /// Retrieves a AudioControlPointList based on the key
+ ///
+ /// key of the list to retrieve
+ /// AudioControlPointList if the key exists, null otherwise
+ public AudioControlPointListItem GetAudioControlPointListForKey(string key)
+ {
+ if (AudioControlPointLists == null || string.IsNullOrEmpty(key) || !AudioControlPointLists.ContainsKey(key))
+ return null;
+
+ return AudioControlPointLists[key];
+ }
+
+ ///
+ /// Checks CameraLists for a given list and returns it if found. Otherwise, returns null
+ ///
+ public Dictionary GetCameraListForKey(string key)
+ {
+ if (CameraLists == null || string.IsNullOrEmpty(key) || !CameraLists.ContainsKey(key))
+ return null;
+
+ return CameraLists[key];
+ }
+
+ ///
+ /// Checks Devices for an item with a Key that matches and returns it if found. Otherwise, retunes null
+ ///
+ /// Key of desired device
+ ///
+ public DeviceConfig GetDeviceForKey(string key)
+ {
+ if (string.IsNullOrEmpty(key))
+ return null;
+
+ var deviceConfig = Devices.FirstOrDefault(d => d.Key.Equals(key));
+
+ if (deviceConfig != null)
+ return deviceConfig;
+ else
{
- if (AudioControlPointLists == null || string.IsNullOrEmpty(key) || !AudioControlPointLists.ContainsKey(key))
- return null;
-
- return AudioControlPointLists[key];
- }
-
- ///
- /// Checks CameraLists for a given list and returns it if found. Otherwise, returns null
- ///
- /// Key of desired camera list
- public Dictionary GetCameraListForKey(string key)
- {
- if (CameraLists == null || string.IsNullOrEmpty(key) || !CameraLists.ContainsKey(key))
- return null;
-
- return CameraLists[key];
- }
-
- ///
- /// Checks Devices for an item with a Key that matches and returns it if found. Otherwise, retunes null
- ///
- /// Key of desired device
- public DeviceConfig GetDeviceForKey(string key)
- {
- if (string.IsNullOrEmpty(key))
- return null;
-
- var deviceConfig = Devices.FirstOrDefault(d => d.Key.Equals(key));
-
- if (deviceConfig != null)
- return deviceConfig;
- else
- {
- return null;
- }
+ return null;
}
+ }
}
-}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Config/ConfigPropertiesHelpers.cs b/src/PepperDash.Essentials.Core/Config/ConfigPropertiesHelpers.cs
index 99633266..9eb8e61d 100644
--- a/src/PepperDash.Essentials.Core/Config/ConfigPropertiesHelpers.cs
+++ b/src/PepperDash.Essentials.Core/Config/ConfigPropertiesHelpers.cs
@@ -9,27 +9,23 @@ using PepperDash.Essentials.Core;
using PepperDash.Core;
using Newtonsoft.Json.Linq;
-namespace PepperDash.Essentials.Core.Config
+namespace PepperDash.Essentials.Core.Config;
+
+public class ConfigPropertiesHelpers
{
///
- /// Represents a ConfigPropertiesHelpers
+ /// Returns the value of properties.hasAudio, or false if not defined
///
- public class ConfigPropertiesHelpers
+ public static bool GetHasAudio(DeviceConfig deviceConfig)
{
- ///
- /// GetHasAudio method
- ///
- public static bool GetHasAudio(DeviceConfig deviceConfig)
- {
- return deviceConfig.Properties.Value("hasAudio");
- }
+ return deviceConfig.Properties.Value("hasAudio");
+ }
- ///
- /// Returns the value of properties.hasControls, or false if not defined
- ///
- public static bool GetHasControls(DeviceConfig deviceConfig)
- {
- return deviceConfig.Properties.Value("hasControls");
- }
+ ///
+ /// Returns the value of properties.hasControls, or false if not defined
+ ///
+ public static bool GetHasControls(DeviceConfig deviceConfig)
+ {
+ return deviceConfig.Properties.Value("hasControls");
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Config/DeviceConfig.cs b/src/PepperDash.Essentials.Core/Config/DeviceConfig.cs
index b8620bb9..49994abc 100644
--- a/src/PepperDash.Essentials.Core/Config/DeviceConfig.cs
+++ b/src/PepperDash.Essentials.Core/Config/DeviceConfig.cs
@@ -11,116 +11,71 @@ using Newtonsoft.Json.Linq;
using PepperDash.Core;
using PepperDash.Essentials.Core;
-namespace PepperDash.Essentials.Core.Config
+namespace PepperDash.Essentials.Core.Config;
+
+public class DeviceConfig
{
- ///
- /// Represents a DeviceConfig
- ///
- public class DeviceConfig
+ [JsonProperty("key")]
+ public string Key { get; set; }
+
+ [JsonProperty("uid")]
+ public int Uid { get; set; }
+
+ [JsonProperty("name")]
+ public string Name { get; set; }
+
+ [JsonProperty("group")]
+ public string Group { get; set; }
+
+ [JsonProperty("type")]
+ public string Type { get; set; }
+
+ [JsonProperty("properties")]
+ [JsonConverter(typeof(DevicePropertiesConverter))]
+ public JToken Properties { get; set; }
+
+ public DeviceConfig(DeviceConfig dc)
{
- ///
- /// Gets or sets the Key
- ///
- [JsonProperty("key")]
- public string Key { get; set; }
+ Key = dc.Key;
+ Uid = dc.Uid;
+ Name = dc.Name;
+ Group = dc.Group;
+ Type = dc.Type;
- ///
- /// Gets or sets the Uid
- ///
- [JsonProperty("uid")]
- public int Uid { get; set; }
+ Properties = JToken.Parse(dc.Properties.ToString());
- ///
- /// Gets or sets the Name
- ///
- [JsonProperty("name")]
- public string Name { get; set; }
-
- ///
- /// Gets or sets the Group
- ///
- [JsonProperty("group")]
- public string Group { get; set; }
-
- ///
- /// Gets or sets the Type
- ///
- [JsonProperty("type")]
- public string Type { get; set; }
-
- ///
- /// Gets or sets the Properties
- ///
- [JsonProperty("properties")]
- [JsonConverter(typeof(DevicePropertiesConverter))]
- public JToken Properties { get; set; }
-
- ///
- /// Constructor
- ///
- /// device config
- public DeviceConfig(DeviceConfig dc)
- {
- Key = dc.Key;
- Uid = dc.Uid;
- Name = dc.Name;
- Group = dc.Group;
- Type = dc.Type;
-
- Properties = JToken.Parse(dc.Properties.ToString());
-
- //Properties = JToken.FromObject(dc.Properties);
- }
-
- ///
- /// Default Constructor
- ///
- public DeviceConfig() { }
+ //Properties = JToken.FromObject(dc.Properties);
}
- ///
- /// Represents a DevicePropertiesConverter
- ///
- public class DevicePropertiesConverter : JsonConverter
+ public DeviceConfig() {}
+}
+
+///
+///
+///
+public class DevicePropertiesConverter : JsonConverter
+{
+
+ public override bool CanConvert(Type objectType)
{
+ return objectType == typeof(JToken);
+ }
- ///
- /// CanConvert method
- ///
- public override bool CanConvert(Type objectType)
- {
- return objectType == typeof(JToken);
- }
+ public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
+ {
+ return JToken.ReadFrom(reader);
+ }
- ///
- /// ReadJson method
- ///
- /// reader to use
- /// type of object being read
- /// existing value for the object
- /// serializer to use
- ///
- public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
+ public override bool CanWrite
+ {
+ get
{
- return JToken.ReadFrom(reader);
+ return false;
}
+ }
- ///
- public override bool CanWrite
- {
- get
- {
- return false;
- }
- }
-
- ///
- /// WriteJson method
- ///
- ///
- public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
- {
- throw new NotImplementedException("SOD OFF HOSER");
- }
+ public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
+ {
+ throw new NotImplementedException("SOD OFF HOSER");
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Config/Essentials/ConfigReader.cs b/src/PepperDash.Essentials.Core/Config/Essentials/ConfigReader.cs
index 40c6c0cf..071e5a20 100644
--- a/src/PepperDash.Essentials.Core/Config/Essentials/ConfigReader.cs
+++ b/src/PepperDash.Essentials.Core/Config/Essentials/ConfigReader.cs
@@ -11,8 +11,8 @@ using PepperDash.Core;
using PepperDash.Core.Config;
using Serilog.Events;
-namespace PepperDash.Essentials.Core.Config
-{
+namespace PepperDash.Essentials.Core.Config;
+
///
/// Loads the ConfigObject from the file
///
@@ -22,7 +22,7 @@ namespace PepperDash.Essentials.Core.Config
/// Local Config Present Message
///
public const string LocalConfigPresent =
- @"
+ @"
***************************************************
************* Using Local config file *************
***************************************************";
@@ -40,88 +40,92 @@ namespace PepperDash.Essentials.Core.Config
Debug.LogMessage(LogEventLevel.Information, "Loading unmerged system/template portal configuration file.");
try
{
- // Check for local config file first
- var filePath = Global.FilePathPrefix + ConfigWriter.LocalConfigFolder + Global.DirectorySeparator + Global.ConfigFileName;
+ // Check for local config file first
+ var filePath = Global.FilePathPrefix + ConfigWriter.LocalConfigFolder + Global.DirectorySeparator + Global.ConfigFileName;
- bool localConfigFound = false;
+ bool localConfigFound = false;
- Debug.LogMessage(LogEventLevel.Information, "Attempting to load Local config file: '{0}'", filePath);
+ Debug.LogMessage(LogEventLevel.Information, "Attempting to load Local config file: '{0}'", filePath);
- // Check for local config directory first
+ // Check for local config directory first
- var configFiles = GetConfigFiles(filePath);
+ var configFiles = GetConfigFiles(filePath);
+
+ if (configFiles != null)
+ {
+ if (configFiles.Length > 1)
+ {
+ Debug.LogMessage(LogEventLevel.Information,
+ "****Error: Multiple Local Configuration files present. Please ensure only a single file exists and reset program.****");
+ return false;
+ }
+ if(configFiles.Length == 1)
+ {
+ localConfigFound = true;
+
+ }
+ }
+ else
+ {
+ Debug.LogMessage(LogEventLevel.Information,
+ "Local Configuration file not present.", filePath);
+
+ }
+
+ // Check for Portal Config
+ if(!localConfigFound)
+ {
+ filePath = Global.FilePathPrefix + Global.ConfigFileName;
+
+ Debug.LogMessage(LogEventLevel.Information, "Attempting to load Portal config file: '{0}'", filePath);
+
+ configFiles = GetConfigFiles(filePath);
if (configFiles != null)
{
+ Debug.LogMessage(LogEventLevel.Verbose, "{0} config files found matching pattern", configFiles.Length);
+
if (configFiles.Length > 1)
{
Debug.LogMessage(LogEventLevel.Information,
- "****Error: Multiple Local Configuration files present. Please ensure only a single file exists and reset program.****");
+ "****Error: Multiple Portal Configuration files present. Please ensure only a single file exists and reset program.****");
return false;
}
- if(configFiles.Length == 1)
+ else if (configFiles.Length == 1)
{
- localConfigFound = true;
-
+ Debug.LogMessage(LogEventLevel.Information, "Found Portal config file: '{0}'", filePath);
+ }
+ else
+ {
+ Debug.LogMessage(LogEventLevel.Information, "No config file found.");
+ return false;
}
}
else
{
Debug.LogMessage(LogEventLevel.Information,
- "Local Configuration file not present.", filePath);
-
+ "ERROR: Portal Configuration file not present. Please load file and reset program.");
+ return false;
}
+ }
- // Check for Portal Config
- if(!localConfigFound)
- {
- filePath = Global.FilePathPrefix + Global.ConfigFileName;
+ // Get the actual file path
+ filePath = configFiles[0].FullName;
- Debug.LogMessage(LogEventLevel.Information, "Attempting to load Portal config file: '{0}'", filePath);
-
- configFiles = GetConfigFiles(filePath);
-
- if (configFiles != null)
- {
- Debug.LogMessage(LogEventLevel.Verbose, "{0} config files found matching pattern", configFiles.Length);
-
- if (configFiles.Length > 1)
- {
- Debug.LogMessage(LogEventLevel.Information,
- "****Error: Multiple Portal Configuration files present. Please ensure only a single file exists and reset program.****");
- return false;
- }
- else if (configFiles.Length == 1)
- {
- Debug.LogMessage(LogEventLevel.Information, "Found Portal config file: '{0}'", filePath);
- }
- else
- {
- Debug.LogMessage(LogEventLevel.Information, "No config file found.");
- return false;
- }
- }
- else
- {
- Debug.LogMessage(LogEventLevel.Information,
- "ERROR: Portal Configuration file not present. Please load file and reset program.");
- return false;
- }
- }
-
- // Get the actual file path
- filePath = configFiles[0].FullName;
-
- // Generate debug statement if using a local file.
+ // Generate debug statement if using a local file.
if (localConfigFound)
{
- GetLocalFileMessage(filePath);
+ GetLocalFileMessage(filePath);
}
- // Read the file
- using (StreamReader fs = new StreamReader(filePath))
+ // Read the file
+ using (StreamReader fs = new StreamReader(filePath))
+ {
+ Debug.LogMessage(LogEventLevel.Information, "Loading config file: '{0}'", filePath);
+
+ if (localConfigFound)
{
- Debug.LogMessage(LogEventLevel.Information, "Loading config file: '{0}'", filePath);
+ ConfigObject = JObject.Parse(fs.ReadToEnd()).ToObject();
if (localConfigFound)
{
@@ -166,114 +170,135 @@ namespace PepperDash.Essentials.Core.Config
return true;
}
+ else
+ {
+ var doubleObj = JObject.Parse(fs.ReadToEnd());
+ ConfigObject = PortalConfigReader.MergeConfigs(doubleObj).ToObject();
+
+ // Extract SystemUrl and TemplateUrl into final config output
+
+ if (doubleObj["system_url"] != null)
+ {
+ ConfigObject.SystemUrl = doubleObj["system_url"].Value();
+ }
+
+ if (doubleObj["template_url"] != null)
+ {
+ ConfigObject.TemplateUrl = doubleObj["template_url"].Value();
+ }
+ }
+
+ Debug.LogMessage(LogEventLevel.Information, "Successfully Loaded Merged Config");
+
+ return true;
+ }
}
catch (Exception e)
{
- Debug.LogMessage(LogEventLevel.Information, "ERROR: Config load failed: \r{0}", e);
+ Debug.LogMessage(LogEventLevel.Information, "ERROR: Config load failed: \r{0}", e);
return false;
}
}
- ///
- /// Returns all the files from the directory specified.
- ///
- /// path to the directory
- /// config files
- public static FileInfo[] GetConfigFiles(string filePath)
+ ///
+ /// Returns all the files from the directory specified.
+ ///
+ ///
+ ///
+ public static FileInfo[] GetConfigFiles(string filePath)
+ {
+ // Get the directory
+ var dir = Path.GetDirectoryName(filePath);
+
+ if (Directory.Exists(dir))
{
- // Get the directory
- var dir = Path.GetDirectoryName(filePath);
+ Debug.LogMessage(LogEventLevel.Debug, "Searching in Directory '{0}'", dir);
+ // Get the directory info
+ var dirInfo = new DirectoryInfo(dir);
- if (Directory.Exists(dir))
- {
- Debug.LogMessage(LogEventLevel.Debug, "Searching in Directory '{0}'", dir);
- // Get the directory info
- var dirInfo = new DirectoryInfo(dir);
+ // Get the file name
+ var fileName = Path.GetFileName(filePath);
+ Debug.LogMessage(LogEventLevel.Debug, "For Config Files matching: '{0}'", fileName);
- // Get the file name
- var fileName = Path.GetFileName(filePath);
- Debug.LogMessage(LogEventLevel.Debug, "For Config Files matching: '{0}'", fileName);
-
- // Get the files that match from the directory
- return dirInfo.GetFiles(fileName);
- }
- else
- {
- Debug.LogMessage(LogEventLevel.Information,
- "Directory not found: ", dir);
-
- return null;
- }
+ // Get the files that match from the directory
+ return dirInfo.GetFiles(fileName);
}
+ else
+ {
+ Debug.LogMessage(LogEventLevel.Information,
+ "Directory not found: ", dir);
+
+ return null;
+ }
+ }
///
/// Returns the group for a given device key in config
///
- /// Key of the device
- /// Group name if the device is found, null otherwise
- public static string GetGroupForDeviceKey(string key)
- {
- var dev = ConfigObject.Devices.FirstOrDefault(d => d.Key.Equals(key, StringComparison.OrdinalIgnoreCase));
- return dev == null ? null : dev.Group;
- }
+ ///
+ ///
+ public static string GetGroupForDeviceKey(string key)
+ {
+ var dev = ConfigObject.Devices.FirstOrDefault(d => d.Key.Equals(key, StringComparison.OrdinalIgnoreCase));
+ return dev == null ? null : dev.Group;
+ }
private static void GetLocalFileMessage(string filePath)
{
- var filePathLength = filePath.Length + 2;
- var debugStringWidth = filePathLength + 12;
+ var filePathLength = filePath.Length + 2;
+ var debugStringWidth = filePathLength + 12;
- if (debugStringWidth < 51)
- {
- debugStringWidth = 51;
- }
- var qualifier = (filePathLength % 2 != 0)
- ? " Using Local Config File "
- : " Using Local Config File ";
- var bookend1 = (debugStringWidth - qualifier.Length) / 2;
- var bookend2 = (debugStringWidth - filePathLength) / 2;
+ if (debugStringWidth < 51)
+ {
+ debugStringWidth = 51;
+ }
+ var qualifier = (filePathLength % 2 != 0)
+ ? " Using Local Config File "
+ : " Using Local Config File ";
+ var bookend1 = (debugStringWidth - qualifier.Length) / 2;
+ var bookend2 = (debugStringWidth - filePathLength) / 2;
var newDebugString = new StringBuilder()
.Append(CrestronEnvironment.NewLine)
- // Line 1
+ // Line 1
.Append(new string('*', debugStringWidth))
.Append(CrestronEnvironment.NewLine)
- // Line 2
+ // Line 2
.Append(new string('*', debugStringWidth))
.Append(CrestronEnvironment.NewLine)
- // Line 3
+ // Line 3
.Append(new string('*', 2))
.Append(new string(' ', debugStringWidth - 4))
.Append(new string('*', 2))
.Append(CrestronEnvironment.NewLine)
- // Line 4
+ // Line 4
.Append(new string('*', 2))
.Append(new string(' ', bookend1 - 2))
.Append(qualifier)
.Append(new string(' ', bookend1 - 2))
.Append(new string('*', 2))
.Append(CrestronEnvironment.NewLine)
- // Line 5
+ // Line 5
.Append(new string('*', 2))
.Append(new string(' ', bookend2 - 2))
.Append(" " + filePath + " ")
.Append(new string(' ', bookend2 - 2))
.Append(new string('*', 2))
.Append(CrestronEnvironment.NewLine)
- // Line 6
+ // Line 6
.Append(new string('*', 2))
.Append(new string(' ', debugStringWidth - 4))
.Append(new string('*', 2))
.Append(CrestronEnvironment.NewLine)
- // Line 7
+ // Line 7
.Append(new string('*', debugStringWidth))
.Append(CrestronEnvironment.NewLine)
- // Line 8
+ // Line 8
.Append(new string('*', debugStringWidth));
- Debug.LogMessage(LogEventLevel.Verbose, "Found Local config file: '{0}'", filePath);
- Debug.LogMessage(LogEventLevel.Information, newDebugString.ToString());
+ Debug.LogMessage(LogEventLevel.Verbose, "Found Local config file: '{0}'", filePath);
+ Debug.LogMessage(LogEventLevel.Information, newDebugString.ToString());
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Config/Essentials/ConfigUpdater.cs b/src/PepperDash.Essentials.Core/Config/Essentials/ConfigUpdater.cs
index 9df673bf..a41c43e0 100644
--- a/src/PepperDash.Essentials.Core/Config/Essentials/ConfigUpdater.cs
+++ b/src/PepperDash.Essentials.Core/Config/Essentials/ConfigUpdater.cs
@@ -14,204 +14,194 @@ using Crestron.SimplSharpPro.Diagnostics;
using PepperDash.Core;
using Serilog.Events;
-namespace PepperDash.Essentials.Core.Config
+namespace PepperDash.Essentials.Core.Config;
+
+public static class ConfigUpdater
{
- ///
- /// ConfigUpdater class
- ///
- public static class ConfigUpdater
+ public static event EventHandler ConfigStatusChanged;
+
+ public static void GetConfigFromServer(string url)
{
- ///
- /// ConfigStatusChanged event
- ///
- public static event EventHandler ConfigStatusChanged;
+ Debug.LogMessage(LogEventLevel.Information, "Attempting to get new config from '{0}'", url);
- ///
- /// GetConfigFromServer method
- ///
- /// URL of the config server
- public static void GetConfigFromServer(string url)
+ // HTTP GET
+ var req = new HttpClientRequest();
+
+ try
{
- Debug.LogMessage(LogEventLevel.Information, "Attempting to get new config from '{0}'", url);
+ req.RequestType = RequestType.Get;
+ req.Url.Parse(url);
- // HTTP GET
- var req = new HttpClientRequest();
-
- try
- {
- req.RequestType = RequestType.Get;
- req.Url.Parse(url);
-
- new HttpClient().DispatchAsync(req, (r, e) =>
+ new HttpClient().DispatchAsync(req, (r, e) =>
+ {
+ if (e == HTTP_CALLBACK_ERROR.COMPLETED)
{
- if (e == HTTP_CALLBACK_ERROR.COMPLETED)
+ if (r.Code == 200)
{
- if (r.Code == 200)
- {
- var newConfig = r.ContentString;
+ var newConfig = r.ContentString;
- OnStatusUpdate(eUpdateStatus.ConfigFileReceived);
+ OnStatusUpdate(eUpdateStatus.ConfigFileReceived);
- ArchiveExistingPortalConfigs();
+ ArchiveExistingPortalConfigs();
- CheckForLocalConfigAndDelete();
+ CheckForLocalConfigAndDelete();
- WriteConfigToFile(newConfig);
+ WriteConfigToFile(newConfig);
- RestartProgram();
- }
- else
- {
- Debug.LogMessage(LogEventLevel.Information, "Config Update Process Stopped. Failed to get config file from server: {0}", r.Code);
- OnStatusUpdate(eUpdateStatus.UpdateFailed);
- }
+ RestartProgram();
}
else
- Debug.LogMessage(LogEventLevel.Information, "Request for config from Server Failed: {0}", e);
- });
- }
- catch (Exception e)
- {
- Debug.LogMessage(LogEventLevel.Debug, "Error Getting Config from Server: {0}", e);
- }
-
- }
-
- static void OnStatusUpdate(eUpdateStatus status)
- {
- var handler = ConfigStatusChanged;
-
- if(handler != null)
- {
- handler(typeof(ConfigUpdater), new ConfigStatusEventArgs(status));
- }
- }
-
- static void WriteConfigToFile(string configData)
- {
- var filePath = Global.FilePathPrefix+ "configurationFile-updated.json";
-
- try
- {
- var config = JObject.Parse(configData).ToObject();
-
- ConfigWriter.WriteFile(filePath, configData);
-
- OnStatusUpdate(eUpdateStatus.WritingConfigFile);
- }
- catch (Exception e)
- {
- Debug.LogMessage(LogEventLevel.Debug, "Error parsing new config: {0}", e);
-
- OnStatusUpdate(eUpdateStatus.UpdateFailed);
- }
- }
-
- ///
- /// Checks for any existing portal config files and archives them
- ///
- static void ArchiveExistingPortalConfigs()
- {
- var filePath = Global.FilePathPrefix + Global.ConfigFileName;
-
- var configFiles = ConfigReader.GetConfigFiles(filePath);
-
- if (configFiles != null)
- {
- Debug.LogMessage(LogEventLevel.Information, "Existing config files found. Moving to Archive folder.");
-
- OnStatusUpdate(eUpdateStatus.ArchivingConfigs);
-
- MoveFilesToArchiveFolder(configFiles);
- }
- else
- {
- Debug.LogMessage(LogEventLevel.Information, "No Existing config files found in '{0}'. Nothing to archive", filePath);
- }
- }
-
- ///
- /// Checks for presence of archive folder and if found deletes contents.
- /// Moves any config files to the archive folder and adds a .bak suffix
- ///
- ///
- static void MoveFilesToArchiveFolder(FileInfo[] files)
- {
- string archiveDirectoryPath = Global.FilePathPrefix + "archive";
-
- if (!Directory.Exists(archiveDirectoryPath))
- {
- // Directory does not exist, create it
- Directory.Create(archiveDirectoryPath);
- }
- else
- {
- // Directory exists, first clear any contents
- var archivedConfigFiles = ConfigReader.GetConfigFiles(archiveDirectoryPath + Global.DirectorySeparator + Global.ConfigFileName + ".bak");
-
- if(archivedConfigFiles != null || archivedConfigFiles.Length > 0)
- {
- Debug.LogMessage(LogEventLevel.Information, "{0} Existing files found in archive folder. Deleting.", archivedConfigFiles.Length);
-
- for (int i = 0; i < archivedConfigFiles.Length; i++ )
- {
- var file = archivedConfigFiles[i];
- Debug.LogMessage(LogEventLevel.Information, "Deleting archived file: '{0}'", file.FullName);
- file.Delete();
+ {
+ Debug.LogMessage(LogEventLevel.Information, "Config Update Process Stopped. Failed to get config file from server: {0}", r.Code);
+ OnStatusUpdate(eUpdateStatus.UpdateFailed);
+ }
}
- }
-
- }
-
- // Move any files from the program folder to the archive folder
- foreach (var file in files)
- {
- Debug.LogMessage(LogEventLevel.Information, "Moving config file '{0}' to archive folder", file.FullName);
-
- // Moves the file and appends the .bak extension
- var fileDest = archiveDirectoryPath + "/" + file.Name + ".bak";
- if(!File.Exists(fileDest))
- {
- file.MoveTo(fileDest);
- }
- else
- Debug.LogMessage(LogEventLevel.Information, "Cannot move file to archive folder. Existing file already exists with same name: '{0}'", fileDest);
- }
+ else
+ Debug.LogMessage(LogEventLevel.Information, "Request for config from Server Failed: {0}", e);
+ });
}
-
- ///
- /// Checks for LocalConfig folder in file system and deletes if found
- ///
- static void CheckForLocalConfigAndDelete()
+ catch (Exception e)
{
- var folderPath = Global.FilePathPrefix + ConfigWriter.LocalConfigFolder;
-
- if (Directory.Exists(folderPath))
- {
- OnStatusUpdate(eUpdateStatus.DeletingLocalConfig);
- Directory.Delete(folderPath);
- Debug.LogMessage(LogEventLevel.Information, "Local Config Found in '{0}'. Deleting.", folderPath);
- }
- }
-
- ///
- /// Connects to the processor via SSH and restarts the program
- ///
- static void RestartProgram()
- {
- Debug.LogMessage(LogEventLevel.Information, "Attempting to Reset Program");
-
- OnStatusUpdate(eUpdateStatus.RestartingProgram);
-
- string response = string.Empty;
-
- CrestronConsole.SendControlSystemCommand(string.Format("progreset -p:{0}", InitialParametersClass.ApplicationNumber), ref response);
-
- Debug.LogMessage(LogEventLevel.Debug, "Console Response: {0}", response);
+ Debug.LogMessage(LogEventLevel.Debug, "Error Getting Config from Server: {0}", e);
}
}
+ static void OnStatusUpdate(eUpdateStatus status)
+ {
+ var handler = ConfigStatusChanged;
+
+ if(handler != null)
+ {
+ handler(typeof(ConfigUpdater), new ConfigStatusEventArgs(status));
+ }
+ }
+
+ static void WriteConfigToFile(string configData)
+ {
+ var filePath = Global.FilePathPrefix+ "configurationFile-updated.json";
+
+ try
+ {
+ var config = JObject.Parse(configData).ToObject();
+
+ ConfigWriter.WriteFile(filePath, configData);
+
+ OnStatusUpdate(eUpdateStatus.WritingConfigFile);
+ }
+ catch (Exception e)
+ {
+ Debug.LogMessage(LogEventLevel.Debug, "Error parsing new config: {0}", e);
+
+ OnStatusUpdate(eUpdateStatus.UpdateFailed);
+ }
+ }
+
+ ///
+ /// Checks for any existing portal config files and archives them
+ ///
+ static void ArchiveExistingPortalConfigs()
+ {
+ var filePath = Global.FilePathPrefix + Global.ConfigFileName;
+
+ var configFiles = ConfigReader.GetConfigFiles(filePath);
+
+ if (configFiles != null)
+ {
+ Debug.LogMessage(LogEventLevel.Information, "Existing config files found. Moving to Archive folder.");
+
+ OnStatusUpdate(eUpdateStatus.ArchivingConfigs);
+
+ MoveFilesToArchiveFolder(configFiles);
+ }
+ else
+ {
+ Debug.LogMessage(LogEventLevel.Information, "No Existing config files found in '{0}'. Nothing to archive", filePath);
+ }
+ }
+
+ ///
+ /// Checks for presence of archive folder and if found deletes contents.
+ /// Moves any config files to the archive folder and adds a .bak suffix
+ ///
+ ///
+ static void MoveFilesToArchiveFolder(FileInfo[] files)
+ {
+ string archiveDirectoryPath = Global.FilePathPrefix + "archive";
+
+ if (!Directory.Exists(archiveDirectoryPath))
+ {
+ // Directory does not exist, create it
+ Directory.Create(archiveDirectoryPath);
+ }
+ else
+ {
+ // Directory exists, first clear any contents
+ var archivedConfigFiles = ConfigReader.GetConfigFiles(archiveDirectoryPath + Global.DirectorySeparator + Global.ConfigFileName + ".bak");
+
+ if(archivedConfigFiles != null || archivedConfigFiles.Length > 0)
+ {
+ Debug.LogMessage(LogEventLevel.Information, "{0} Existing files found in archive folder. Deleting.", archivedConfigFiles.Length);
+
+ for (int i = 0; i < archivedConfigFiles.Length; i++ )
+ {
+ var file = archivedConfigFiles[i];
+ Debug.LogMessage(LogEventLevel.Information, "Deleting archived file: '{0}'", file.FullName);
+ file.Delete();
+ }
+ }
+
+ }
+
+ // Move any files from the program folder to the archive folder
+ foreach (var file in files)
+ {
+ Debug.LogMessage(LogEventLevel.Information, "Moving config file '{0}' to archive folder", file.FullName);
+
+ // Moves the file and appends the .bak extension
+ var fileDest = archiveDirectoryPath + "/" + file.Name + ".bak";
+ if(!File.Exists(fileDest))
+ {
+ file.MoveTo(fileDest);
+ }
+ else
+ Debug.LogMessage(LogEventLevel.Information, "Cannot move file to archive folder. Existing file already exists with same name: '{0}'", fileDest);
+ }
+ }
+
+ ///
+ /// Checks for LocalConfig folder in file system and deletes if found
+ ///
+ static void CheckForLocalConfigAndDelete()
+ {
+ var folderPath = Global.FilePathPrefix + ConfigWriter.LocalConfigFolder;
+
+ if (Directory.Exists(folderPath))
+ {
+ OnStatusUpdate(eUpdateStatus.DeletingLocalConfig);
+ Directory.Delete(folderPath);
+ Debug.LogMessage(LogEventLevel.Information, "Local Config Found in '{0}'. Deleting.", folderPath);
+ }
+ }
+
+ ///
+ /// Connects to the processor via SSH and restarts the program
+ ///
+ static void RestartProgram()
+ {
+ Debug.LogMessage(LogEventLevel.Information, "Attempting to Reset Program");
+
+ OnStatusUpdate(eUpdateStatus.RestartingProgram);
+
+ string response = string.Empty;
+
+ CrestronConsole.SendControlSystemCommand(string.Format("progreset -p:{0}", InitialParametersClass.ApplicationNumber), ref response);
+
+ Debug.LogMessage(LogEventLevel.Debug, "Console Response: {0}", response);
+ }
+
+}
+
///
/// Enumeration of eUpdateStatus values
///
@@ -258,23 +248,12 @@ namespace PepperDash.Essentials.Core.Config
UpdateFailed
}
- ///
- /// Represents a ConfigStatusEventArgs
- ///
- public class ConfigStatusEventArgs : EventArgs
- {
- ///
- /// Gets or sets the UpdateStatus
- ///
- public eUpdateStatus UpdateStatus { get; private set; }
+public class ConfigStatusEventArgs : EventArgs
+{
+ public eUpdateStatus UpdateStatus { get; private set; }
- ///
- /// ConfigStatusEventArgs Constructor
- ///
- ///
- public ConfigStatusEventArgs(eUpdateStatus status)
- {
- UpdateStatus = status;
- }
+ public ConfigStatusEventArgs(eUpdateStatus status)
+ {
+ UpdateStatus = status;
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Config/Essentials/ConfigWriter.cs b/src/PepperDash.Essentials.Core/Config/Essentials/ConfigWriter.cs
index 93517a3c..a688b378 100644
--- a/src/PepperDash.Essentials.Core/Config/Essentials/ConfigWriter.cs
+++ b/src/PepperDash.Essentials.Core/Config/Essentials/ConfigWriter.cs
@@ -11,174 +11,154 @@ using Newtonsoft.Json.Linq;
using PepperDash.Core;
using Serilog.Events;
-namespace PepperDash.Essentials.Core.Config
+namespace PepperDash.Essentials.Core.Config;
+
+///
+/// Responsible for updating config at runtime, and writing the updates out to a local file
+///
+public class ConfigWriter
{
- ///
- /// Responsible for updating config at runtime, and writing the updates out to a local file
- ///
- public class ConfigWriter
- {
- ///
- /// LocalConfigFolder constant
- ///
- public const string LocalConfigFolder = "LocalConfig";
+ public const string LocalConfigFolder = "LocalConfig";
- ///
- /// WriteTimeout constant
- ///
- public const long WriteTimeout = 30000;
-
- ///
- /// WriteTimer variable
- ///
- public static CTimer WriteTimer;
+ public const long WriteTimeout = 30000;
+ public static CTimer WriteTimer;
static CCriticalSection fileLock = new CCriticalSection();
- ///
- /// Updates the config properties of a device
- ///
- /// The key of the device to update
- /// The new properties for the device
- /// True if the update was successful, otherwise false
- public static bool UpdateDeviceProperties(string deviceKey, JToken properties)
+ ///
+ /// Updates the config properties of a device
+ ///
+ ///
+ ///
+ ///
+ public static bool UpdateDeviceProperties(string deviceKey, JToken properties)
+ {
+ bool success = false;
+
+ // Get the current device config
+ var deviceConfig = ConfigReader.ConfigObject.Devices.FirstOrDefault(d => d.Key.Equals(deviceKey));
+
+ if (deviceConfig != null)
{
- bool success = false;
+ // Replace the current properties JToken with the new one passed into this method
+ deviceConfig.Properties = properties;
- // Get the current device config
- var deviceConfig = ConfigReader.ConfigObject.Devices.FirstOrDefault(d => d.Key.Equals(deviceKey));
+ Debug.LogMessage(LogEventLevel.Debug, "Updated properties of device: '{0}'", deviceKey);
- if (deviceConfig != null)
- {
- // Replace the current properties JToken with the new one passed into this method
- deviceConfig.Properties = properties;
-
- Debug.LogMessage(LogEventLevel.Debug, "Updated properties of device: '{0}'", deviceKey);
-
- success = true;
- }
-
- ResetTimer();
-
- return success;
+ success = true;
}
- ///
- /// UpdateDeviceConfig method
- ///
- /// The new device config
- /// True if the update was successful, otherwise false
- public static bool UpdateDeviceConfig(DeviceConfig config)
+ ResetTimer();
+
+ return success;
+ }
+
+ public static bool UpdateDeviceConfig(DeviceConfig config)
+ {
+ bool success = false;
+
+ var deviceConfigIndex = ConfigReader.ConfigObject.Devices.FindIndex(d => d.Key.Equals(config.Key));
+
+ if (deviceConfigIndex >= 0)
{
- bool success = false;
+ ConfigReader.ConfigObject.Devices[deviceConfigIndex] = config;
- var deviceConfigIndex = ConfigReader.ConfigObject.Devices.FindIndex(d => d.Key.Equals(config.Key));
+ Debug.LogMessage(LogEventLevel.Debug, "Updated config of device: '{0}'", config.Key);
- if (deviceConfigIndex >= 0)
- {
- ConfigReader.ConfigObject.Devices[deviceConfigIndex] = config;
-
- Debug.LogMessage(LogEventLevel.Debug, "Updated config of device: '{0}'", config.Key);
-
- success = true;
- }
-
- ResetTimer();
-
- return success;
+ success = true;
}
- ///
- /// UpdateRoomConfig method
- ///
- /// The new room config
- /// True if the update was successful, otherwise false
- public static bool UpdateRoomConfig(DeviceConfig config)
- {
- bool success = false;
+ ResetTimer();
+
+ return success;
+ }
+
+ public static bool UpdateRoomConfig(DeviceConfig config)
+ {
+ bool success = false;
var roomConfigIndex = ConfigReader.ConfigObject.Rooms.FindIndex(d => d.Key.Equals(config.Key));
if (roomConfigIndex >= 0)
- {
- ConfigReader.ConfigObject.Rooms[roomConfigIndex] = config;
-
- Debug.LogMessage(LogEventLevel.Debug, "Updated room of device: '{0}'", config.Key);
-
- success = true;
- }
-
- ResetTimer();
-
- return success;
- }
-
- ///
- /// Resets (or starts) the write timer
- ///
- static void ResetTimer()
{
- if (WriteTimer == null)
- WriteTimer = new CTimer(WriteConfigFile, WriteTimeout);
+ ConfigReader.ConfigObject.Rooms[roomConfigIndex] = config;
- WriteTimer.Reset(WriteTimeout);
+ Debug.LogMessage(LogEventLevel.Debug, "Updated room of device: '{0}'", config.Key);
- Debug.LogMessage(LogEventLevel.Debug, "Config File write timer has been reset.");
- }
-
- ///
- /// Writes the current config to a file in the LocalConfig subfolder
- ///
- private static void WriteConfigFile(object o)
- {
- var filePath = Global.FilePathPrefix + LocalConfigFolder + Global.DirectorySeparator + "configurationFile.json";
-
- var configData = JsonConvert.SerializeObject(ConfigReader.ConfigObject);
-
- WriteFile(filePath, configData);
- }
-
- ///
- /// Writes the current config data to a file
- ///
- /// The file path to write to
- /// The config data to write
- public static void WriteFile(string filePath, string configData)
- {
- if (WriteTimer != null)
- WriteTimer.Stop();
-
- Debug.LogMessage(LogEventLevel.Information, "Writing Configuration to file");
-
- Debug.LogMessage(LogEventLevel.Information, "Attempting to write config file: '{0}'", filePath);
-
- try
- {
- if (fileLock.TryEnter())
- {
- using (StreamWriter sw = new StreamWriter(filePath))
- {
- sw.Write(configData);
- sw.Flush();
- }
- }
- else
- {
- Debug.LogMessage(LogEventLevel.Information, "Unable to enter FileLock");
- }
- }
- catch (Exception e)
- {
- Debug.LogMessage(LogEventLevel.Information, "Error: Config write failed: \r{0}", e);
- }
- finally
- {
- if (fileLock != null && !fileLock.Disposed)
- fileLock.Leave();
-
- }
+ success = true;
}
+ ResetTimer();
+ return success;
}
+
+ ///
+ /// Resets (or starts) the write timer
+ ///
+ static void ResetTimer()
+ {
+ if (WriteTimer == null)
+ WriteTimer = new CTimer(WriteConfigFile, WriteTimeout);
+
+ WriteTimer.Reset(WriteTimeout);
+
+ Debug.LogMessage(LogEventLevel.Debug, "Config File write timer has been reset.");
+ }
+
+ ///
+ /// Writes the current config to a file in the LocalConfig subfolder
+ ///
+ ///
+ private static void WriteConfigFile(object o)
+ {
+ var filePath = Global.FilePathPrefix + LocalConfigFolder + Global.DirectorySeparator + "configurationFile.json";
+
+ var configData = JsonConvert.SerializeObject(ConfigReader.ConfigObject);
+
+ WriteFile(filePath, configData);
+ }
+
+ ///
+ /// Writes
+ ///
+ ///
+ ///
+ public static void WriteFile(string filePath, string configData)
+ {
+ if (WriteTimer != null)
+ WriteTimer.Stop();
+
+ Debug.LogMessage(LogEventLevel.Information, "Writing Configuration to file");
+
+ Debug.LogMessage(LogEventLevel.Information, "Attempting to write config file: '{0}'", filePath);
+
+ try
+ {
+ if (fileLock.TryEnter())
+ {
+ using (StreamWriter sw = new StreamWriter(filePath))
+ {
+ sw.Write(configData);
+ sw.Flush();
+ }
+ }
+ else
+ {
+ Debug.LogMessage(LogEventLevel.Information, "Unable to enter FileLock");
+ }
+ }
+ catch (Exception e)
+ {
+ Debug.LogMessage(LogEventLevel.Information, "Error: Config write failed: \r{0}", e);
+ }
+ finally
+ {
+ if (fileLock != null && !fileLock.Disposed)
+ fileLock.Leave();
+
+ }
+ }
+
+
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Config/Essentials/EssentialsConfig.cs b/src/PepperDash.Essentials.Core/Config/Essentials/EssentialsConfig.cs
index 6ffe07d2..d9a5918f 100644
--- a/src/PepperDash.Essentials.Core/Config/Essentials/EssentialsConfig.cs
+++ b/src/PepperDash.Essentials.Core/Config/Essentials/EssentialsConfig.cs
@@ -9,171 +9,139 @@ using Newtonsoft.Json;
using PepperDash.Core;
-namespace PepperDash.Essentials.Core.Config
+namespace PepperDash.Essentials.Core.Config;
+
+///
+/// Loads the ConfigObject from the file
+///
+public class EssentialsConfig : BasicConfig
+{
+ [JsonProperty("system_url")]
+ public string SystemUrl { get; set; }
+
+ [JsonProperty("template_url")]
+ public string TemplateUrl { get; set; }
+
+ ///
+ /// Gets the SystemUuid extracted from the SystemUrl
+ ///
+ [JsonProperty("systemUuid")]
+ public string SystemUuid
+ {
+ get
+ {
+ if (string.IsNullOrEmpty(SystemUrl))
+ return "missing url";
+
+ if (SystemUrl.Contains("#"))
+ {
+ var result = Regex.Match(SystemUrl, @"https?:\/\/.*\/systems\/(.*)\/#.*");
+ string uuid = result.Groups[1].Value;
+ return uuid;
+ }
+ else
+ {
+ var result = Regex.Match(SystemUrl, @"https?:\/\/.*\/systems\/(.*)\/.*");
+ string uuid = result.Groups[1].Value;
+ return uuid;
+ }
+ }
+ }
+
+ ///
+ /// Gets the TemplateUuid extracted from the TemplateUrl
+ ///
+ [JsonProperty("templateUuid")]
+ public string TemplateUuid
+ {
+ get
+ {
+ if (string.IsNullOrEmpty(TemplateUrl))
+ return "missing template url";
+
+ if (TemplateUrl.Contains("#"))
+ {
+ var result = Regex.Match(TemplateUrl, @"https?:\/\/.*\/templates\/(.*)\/#.*");
+ string uuid = result.Groups[1].Value;
+ return uuid;
+ }
+ else
+ {
+ var result = Regex.Match(TemplateUrl, @"https?:\/\/.*\/system-templates\/(.*)\/system-template-versions\/(.*)\/.*");
+ string uuid = result.Groups[2].Value;
+ return uuid;
+ }
+ }
+ }
+
+ [JsonProperty("rooms")]
+ public List Rooms { get; set; }
+
+ ///
+ /// Gets or sets the Versions
+ ///
+ public VersionData Versions { get; set; }
+
+ public EssentialsConfig()
+ : base()
+ {
+ Rooms = new List();
+ }
+}
+
+///
+/// Represents version data for Essentials and its packages
+///
+public class VersionData
{
///
- /// Loads the ConfigObject from the file
+ /// Gets or sets the Essentials version
///
- public class EssentialsConfig : BasicConfig
- {
- ///
- /// Gets or sets the SystemUrl
- ///
- [JsonProperty("system_url")]
- public string SystemUrl { get; set; }
-
- ///
- /// Gets or sets the TemplateUrl
- ///
- [JsonProperty("template_url")]
- public string TemplateUrl { get; set; }
-
- ///
- /// Gets the SystemUuid extracted from the SystemUrl
- ///
- [JsonProperty("systemUuid")]
- public string SystemUuid
- {
- get
- {
- string uuid;
-
- if (string.IsNullOrEmpty(SystemUrl))
- {
- uuid = "missing url";
- }
- else if (SystemUrl.Contains("#"))
- {
- var result = Regex.Match(SystemUrl, @"https?:\/\/.*\/systems\/(.*)\/#.*");
- uuid = result.Groups[1].Value;
- }
- else if (SystemUrl.Contains("detail"))
- {
- var result = Regex.Match(SystemUrl, @"https?:\/\/.*\/systems\/detail\/(.*)\/.*");
- uuid = result.Groups[1].Value;
- }
- else
- {
- var result = Regex.Match(SystemUrl, @"https?:\/\/.*\/systems\/(.*)\/.*");
- uuid = result.Groups[1].Value;
- }
-
- return uuid;
- }
- }
-
- ///
- /// Gets the TemplateUuid extracted from the TemplateUrl
- ///
- [JsonProperty("templateUuid")]
- public string TemplateUuid
- {
- get
- {
- string uuid;
-
- if (string.IsNullOrEmpty(TemplateUrl))
- {
- uuid = "missing template url";
- }
- else if (TemplateUrl.Contains("#"))
- {
- var result = Regex.Match(TemplateUrl, @"https?:\/\/.*\/templates\/(.*)\/#.*");
- uuid = result.Groups[1].Value;
- }
- else if (TemplateUrl.Contains("detail"))
- {
- var result = Regex.Match(TemplateUrl, @"https?:\/\/.*\/system-templates\/detail\/(.*)\/system-template-versions\/detail\/(.*)\/.*");
- uuid = result.Groups[2].Value;
- }
- else
- {
- var result = Regex.Match(TemplateUrl, @"https?:\/\/.*\/system-templates\/(.*)\/system-template-versions\/(.*)\/.*");
- uuid = result.Groups[2].Value;
- }
-
- return uuid;
- }
- }
-
- ///
- /// Gets or sets the Rooms
- ///
- [JsonProperty("rooms")]
- public List Rooms { get; set; }
-
- ///
- /// Gets or sets the Versions
- ///
- public VersionData Versions { get; set; }
-
- ///
- /// Initializes a new instance of the class.
- ///
- public EssentialsConfig()
- : base()
- {
- Rooms = new List();
- }
- }
+ [JsonProperty("essentials")]
+ public NugetVersion Essentials { get; set; }
///
- /// Represents version data for Essentials and its packages
+ /// Gets or sets the list of Packages
///
- public class VersionData
- {
- ///
- /// Gets or sets the Essentials version
- ///
- [JsonProperty("essentials")]
- public NugetVersion Essentials { get; set; }
-
- ///
- /// Gets or sets the list of Packages
- ///
- [JsonProperty("packages")]
- public List Packages { get; set; }
-
- ///
- /// Initializes a new instance of the class.
- ///
- public VersionData()
- {
- Packages = new List();
- }
- }
+ [JsonProperty("packages")]
+ public List Packages { get; set; }
///
- /// Represents a NugetVersion
+ /// Initializes a new instance of the class.
///
- public class NugetVersion
+ public VersionData()
{
- ///
- /// Gets or sets the Version
- ///
- [JsonProperty("version")]
- public string Version { get; set; }
-
- ///
- /// Gets or sets the PackageId
- ///
- [JsonProperty("packageId")]
- public string PackageId { get; set; }
+ Packages = new List();
}
+}
+
+///
+/// Represents a NugetVersion
+///
+public class NugetVersion
+{
+ ///
+ /// Gets or sets the Version
+ ///
+ [JsonProperty("version")]
+ public string Version { get; set; }
///
- /// Represents a SystemTemplateConfigs
+ /// Gets or sets the PackageId
///
- public class SystemTemplateConfigs
- {
- ///
- /// Gets or sets the System
- ///
- public EssentialsConfig System { get; set; }
+ [JsonProperty("packageId")]
+ public string PackageId { get; set; }
+}
- ///
- /// Gets or sets the Template
- ///
- public EssentialsConfig Template { get; set; }
- }
-}
\ No newline at end of file
+///
+///
+///
+public class SystemTemplateConfigs
+{
+ public EssentialsConfig System { get; set; }
+
+ ///
+ /// Gets or sets the Template
+ ///
+ public EssentialsConfig Template { get; set; }
+}
diff --git a/src/PepperDash.Essentials.Core/Config/ILoadConfig.cs b/src/PepperDash.Essentials.Core/Config/ILoadConfig.cs
index ed6ff61f..a02baa8c 100644
--- a/src/PepperDash.Essentials.Core/Config/ILoadConfig.cs
+++ b/src/PepperDash.Essentials.Core/Config/ILoadConfig.cs
@@ -4,16 +4,9 @@ using System.Linq;
using System.Text;
using System.Threading.Tasks;
-namespace PepperDash.Essentials.Core
+namespace PepperDash.Essentials.Core;
+
+public interface ILoadConfig
{
- ///
- /// Defines the contract for ILoadConfig
- ///
- public interface ILoadConfig
- {
- ///
- /// GoWithLoad method
- ///
- void GoWithLoad();
- }
+ void GoWithLoad();
}
diff --git a/src/PepperDash.Essentials.Core/Config/InfoConfig.cs b/src/PepperDash.Essentials.Core/Config/InfoConfig.cs
index 1ce2c60b..7c2f81e4 100644
--- a/src/PepperDash.Essentials.Core/Config/InfoConfig.cs
+++ b/src/PepperDash.Essentials.Core/Config/InfoConfig.cs
@@ -5,12 +5,12 @@ using Newtonsoft.Json;
using System;
using System.Collections.Generic;
-namespace PepperDash.Essentials.Core.Config
-{
- ///
- /// Represents the info section of a Config file
- ///
- public class InfoConfig
+namespace PepperDash.Essentials.Core.Config;
+
+///
+/// Represents the info section of a Config file
+///
+public class InfoConfig
{
///
/// Gets or sets the Name
@@ -70,49 +70,49 @@ namespace PepperDash.Essentials.Core.Config
Type = "";
Version = "";
Comment = "";
- HostName = CrestronEthernetHelper.GetEthernetParameter(CrestronEthernetHelper.ETHERNET_PARAMETER_TO_GET.GET_HOSTNAME, 0);
- AppNumber = InitialParametersClass.ApplicationNumber;
+ HostName = CrestronEthernetHelper.GetEthernetParameter(CrestronEthernetHelper.ETHERNET_PARAMETER_TO_GET.GET_HOSTNAME, 0);
+ AppNumber = InitialParametersClass.ApplicationNumber;
- RuntimeInfo = new RuntimeInfo();
+ RuntimeInfo = new RuntimeInfo();
}
}
-
+
+///
+/// Represents runtime information about the program/processor
+///
+public class RuntimeInfo
+{
///
- /// Represents a RuntimeInfo
+ /// The name of the running application
///
- public class RuntimeInfo
- {
- ///
- /// The name of the running application
- ///
- [JsonProperty("appName")]
- public string AppName {get; set;}
- //{
- // get
- // {
- // return Assembly.GetExecutingAssembly().GetName().Name;
- // }
- //}
+ [JsonProperty("appName")]
+ public string AppName {get; set;}
+ //{
+ // get
+ // {
+ // return Assembly.GetExecutingAssembly().GetName().Name;
+ // }
+ //}
- ///
- /// The Assembly version of the running application
- ///
- [JsonProperty("assemblyVersion")]
- public string AssemblyVersion {get; set;}
- //{
- // get
- // {
- // var version = Assembly.GetExecutingAssembly().GetName().Version;
- // return string.Format("{0}.{1}.{2}", version.Major, version.Minor, version.Build);
- // }
- //}
+ ///
+ /// The Assembly version of the running application
+ ///
+ [JsonProperty("assemblyVersion")]
+ public string AssemblyVersion {get; set;}
+ //{
+ // get
+ // {
+ // var version = Assembly.GetExecutingAssembly().GetName().Version;
+ // return string.Format("{0}.{1}.{2}", version.Major, version.Minor, version.Build);
+ // }
+ //}
- /// ,
- /// The OS Version of the processor (Firmware Version)
- ///
- [JsonProperty("osVersion")]
- public string OsVersion {get; set;}
+ /// ,
+ /// The OS Version of the processor (Firmware Version)
+ ///
+ [JsonProperty("osVersion")]
+ public string OsVersion {get; set;}
//{
// get
// {
@@ -120,17 +120,15 @@ namespace PepperDash.Essentials.Core.Config
// }
//}
- ///
- /// The information gathered by the processor at runtime about it's NICs and their IP addresses.
- ///
- [JsonProperty("ipInfo")]
- public Dictionary IpInfo
+ ///
+ /// The information gathered by the processor at runtime about it's NICs and their IP addresses.
+ ///
+ [JsonProperty("ipInfo")]
+ public Dictionary IpInfo
+ {
+ get
{
- get
- {
- return Global.EthernetAdapterInfoCollection;
- }
+ return Global.EthernetAdapterInfoCollection;
}
}
-
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Config/SourceDevicePropertiesConfigBase.cs b/src/PepperDash.Essentials.Core/Config/SourceDevicePropertiesConfigBase.cs
index 42a576a2..ae30de0a 100644
--- a/src/PepperDash.Essentials.Core/Config/SourceDevicePropertiesConfigBase.cs
+++ b/src/PepperDash.Essentials.Core/Config/SourceDevicePropertiesConfigBase.cs
@@ -4,16 +4,12 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Essentials.Core.Config
+namespace PepperDash.Essentials.Core.Config;
+
+public class SourceDevicePropertiesConfigBase
{
- ///
- /// Represents a SourceDevicePropertiesConfigBase
- ///
- public class SourceDevicePropertiesConfigBase
- {
- ///
- /// Gets or sets the DisableSharing
- ///
- public bool DisableSharing { get; set; }
- }
+ ///
+ /// Gets or sets the DisableSharing
+ ///
+ public bool DisableSharing { get; set; }
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Crestron/CrestronGenericBaseDevice.cs b/src/PepperDash.Essentials.Core/Crestron/CrestronGenericBaseDevice.cs
index bdb3e461..afb15015 100644
--- a/src/PepperDash.Essentials.Core/Crestron/CrestronGenericBaseDevice.cs
+++ b/src/PepperDash.Essentials.Core/Crestron/CrestronGenericBaseDevice.cs
@@ -7,11 +7,8 @@ using PepperDash.Core.JsonStandardObjects;
using PepperDash.Essentials.Core.Bridges;
using Serilog.Events;
-namespace PepperDash.Essentials.Core
-{
- ///
- /// Abstract base class for Crestron GenericBase devices
- ///
+namespace PepperDash.Essentials.Core;
+
public abstract class CrestronGenericBaseDevice : EssentialsDevice, IOnline, IHasFeedback, ICommunicationMonitor, IUsageTracking
{
///
@@ -19,10 +16,10 @@ namespace PepperDash.Essentials.Core
///
protected GenericBase Hardware;
- ///
- /// Gets or sets the Feedbacks
- ///
- public FeedbackCollection Feedbacks { get; private set; }
+ ///
+ /// Returns a list containing the Outputs that we want to expose.
+ ///
+ public FeedbackCollection Feedbacks { get; private set; }
///
/// Gets or sets the IsOnline
@@ -51,30 +48,25 @@ namespace PepperDash.Essentials.Core
/// name of the device
/// hardware instance
protected CrestronGenericBaseDevice(string key, string name, GenericBase hardware)
- : base(key, name)
- {
- Feedbacks = new FeedbackCollection();
+ : base(key, name)
+ {
+ Feedbacks = new FeedbackCollection();
- Hardware = hardware;
- IsOnline = new BoolFeedback("IsOnlineFeedback", () => Hardware.IsOnline);
- IsRegistered = new BoolFeedback("IsRegistered", () => Hardware.Registered);
- IpConnectionsText = new StringFeedback("IpConnectionsText", () => Hardware.ConnectedIpList != null ? string.Join(",", Hardware.ConnectedIpList.Select(cip => cip.DeviceIpAddress).ToArray()) : string.Empty);
- AddToFeedbackList(IsOnline, IpConnectionsText);
+ Hardware = hardware;
+ IsOnline = new BoolFeedback("IsOnlineFeedback", () => Hardware.IsOnline);
+ IsRegistered = new BoolFeedback("IsRegistered", () => Hardware.Registered);
+ IpConnectionsText = new StringFeedback("IpConnectionsText", () => Hardware.ConnectedIpList != null ? string.Join(",", Hardware.ConnectedIpList.Select(cip => cip.DeviceIpAddress).ToArray()) : string.Empty);
+ AddToFeedbackList(IsOnline, IpConnectionsText);
- CommunicationMonitor = new CrestronGenericBaseCommunicationMonitor(this, hardware, 120000, 300000);
- }
+ CommunicationMonitor = new CrestronGenericBaseCommunicationMonitor(this, hardware, 120000, 300000);
+ }
- ///
- /// Constructor without hardware instance
- ///
- /// key of the device
- /// name of the device
- protected CrestronGenericBaseDevice(string key, string name)
- : base(key, name)
- {
- Feedbacks = new FeedbackCollection();
+ protected CrestronGenericBaseDevice(string key, string name)
+ : base(key, name)
+ {
+ Feedbacks = new FeedbackCollection();
- }
+ }
///
/// Registers the Crestron GenericBase hardware instance
@@ -82,13 +74,13 @@ namespace PepperDash.Essentials.Core
/// hardware instance
protected void RegisterCrestronGenericBase(GenericBase hardware)
{
- Hardware = hardware;
- IsOnline = new BoolFeedback("IsOnlineFeedback", () => Hardware.IsOnline);
- IsRegistered = new BoolFeedback("IsRegistered", () => Hardware.Registered);
- IpConnectionsText = new StringFeedback("IpConnectionsText", () => Hardware.ConnectedIpList != null ? string.Join(",", Hardware.ConnectedIpList.Select(cip => cip.DeviceIpAddress).ToArray()) : string.Empty);
- AddToFeedbackList(IsOnline, IpConnectionsText);
+ Hardware = hardware;
+ IsOnline = new BoolFeedback("IsOnlineFeedback", () => Hardware.IsOnline);
+ IsRegistered = new BoolFeedback("IsRegistered", () => Hardware.Registered);
+ IpConnectionsText = new StringFeedback("IpConnectionsText", () => Hardware.ConnectedIpList != null ? string.Join(",", Hardware.ConnectedIpList.Select(cip => cip.DeviceIpAddress).ToArray()) : string.Empty);
+ AddToFeedbackList(IsOnline, IpConnectionsText);
- CommunicationMonitor = new CrestronGenericBaseCommunicationMonitor(this, hardware, 120000, 300000);
+ CommunicationMonitor = new CrestronGenericBaseCommunicationMonitor(this, hardware, 120000, 300000);
}
///
@@ -97,43 +89,43 @@ namespace PepperDash.Essentials.Core
///
public override bool CustomActivate()
{
- Debug.LogMessage(LogEventLevel.Information, this, "Activating");
- if (!PreventRegistration)
- {
- //Debug.LogMessage(LogEventLevel.Debug, this, " Does not require registration. Skipping");
+ Debug.LogMessage(LogEventLevel.Information, this, "Activating");
+ if (!PreventRegistration)
+ {
+ //Debug.LogMessage(LogEventLevel.Debug, this, " Does not require registration. Skipping");
- if (Hardware.Registerable && !Hardware.Registered)
+ if (Hardware.Registerable && !Hardware.Registered)
+ {
+ var response = Hardware.RegisterWithLogging(Key);
+ if (response != eDeviceRegistrationUnRegistrationResponse.Success)
{
- var response = Hardware.RegisterWithLogging(Key);
- if (response != eDeviceRegistrationUnRegistrationResponse.Success)
- {
- //Debug.LogMessage(LogEventLevel.Information, this, "ERROR: Cannot register Crestron device: {0}", response);
- return false;
- }
+ //Debug.LogMessage(LogEventLevel.Information, this, "ERROR: Cannot register Crestron device: {0}", response);
+ return false;
}
-
- IsRegistered.FireUpdate();
}
- else
- {
- AddPostActivationAction(() =>
+
+ IsRegistered.FireUpdate();
+ }
+ else
+ {
+ AddPostActivationAction(() =>
+ {
+ if (Hardware.Registerable && !Hardware.Registered)
{
- if (Hardware.Registerable && !Hardware.Registered)
- {
- var response = Hardware.RegisterWithLogging(Key);
- }
+ var response = Hardware.RegisterWithLogging(Key);
+ }
- IsRegistered.FireUpdate();
- });
- }
+ IsRegistered.FireUpdate();
+ });
+ }
- foreach (var f in Feedbacks)
- {
- f.FireUpdate();
- }
+ foreach (var f in Feedbacks)
+ {
+ f.FireUpdate();
+ }
- Hardware.OnlineStatusChange += Hardware_OnlineStatusChange;
- CommunicationMonitor.Start();
+ Hardware.OnlineStatusChange += Hardware_OnlineStatusChange;
+ CommunicationMonitor.Start();
return base.CustomActivate();
}
@@ -149,42 +141,42 @@ namespace PepperDash.Essentials.Core
var success = Hardware.UnRegister() == eDeviceRegistrationUnRegistrationResponse.Success;
- IsRegistered.FireUpdate();
+ IsRegistered.FireUpdate();
- return success;
+ return success;
}
///
- /// Adds feedback(s) to the list
- ///
- /// feedback(s) to be added to the list
- public void AddToFeedbackList(params Feedback[] newFbs)
+ /// Adds feedback(s) to the list
+ ///
+ ///
+ public void AddToFeedbackList(params Feedback[] newFbs)
+ {
+ foreach (var f in newFbs)
{
- foreach (var f in newFbs)
- {
- if (f == null) continue;
+ if (f == null) continue;
- if (!Feedbacks.Contains(f))
- {
- Feedbacks.Add(f);
- }
+ if (!Feedbacks.Contains(f))
+ {
+ Feedbacks.Add(f);
}
}
+ }
void Hardware_OnlineStatusChange(GenericBase currentDevice, OnlineOfflineEventArgs args)
{
- Debug.LogMessage(LogEventLevel.Verbose, this, "OnlineStatusChange Event. Online = {0}", args.DeviceOnLine);
+ Debug.LogMessage(LogEventLevel.Verbose, this, "OnlineStatusChange Event. Online = {0}", args.DeviceOnLine);
- if (!Hardware.Registered)
- {
- return; // protects in cases where device has been unregistered and feedbacks would attempt to access null sigs.
- }
+ if (!Hardware.Registered)
+ {
+ return; // protects in cases where device has been unregistered and feedbacks would attempt to access null sigs.
+ }
- foreach (var feedback in Feedbacks)
- {
- if (feedback != null)
- feedback.FireUpdate();
- }
+ foreach (var feedback in Feedbacks)
+ {
+ if (feedback != null)
+ feedback.FireUpdate();
+ }
}
#region IStatusMonitor Members
@@ -195,52 +187,28 @@ namespace PepperDash.Essentials.Core
public StatusMonitorBase CommunicationMonitor { get; private set; }
#endregion
- #region IUsageTracking Members
+ #region IUsageTracking Members
- ///
- /// Gets or sets the UsageTracker
- ///
- public UsageTracking UsageTracker { get; set; }
+ public UsageTracking UsageTracker { get; set; }
- #endregion
+ #endregion
}
- ///
- /// Abstract base class for Crestron GenericBase devices that are bridgeable
- ///
- public abstract class CrestronGenericBridgeableBaseDevice : CrestronGenericBaseDevice, IBridgeAdvanced
+public abstract class CrestronGenericBridgeableBaseDevice : CrestronGenericBaseDevice, IBridgeAdvanced
+{
+ protected CrestronGenericBridgeableBaseDevice(string key, string name, GenericBase hardware) : base(key, name, hardware)
{
-
- ///
- /// Constructor
- ///
- /// key of the device
- /// name of the device
- /// hardware instance
- protected CrestronGenericBridgeableBaseDevice(string key, string name, GenericBase hardware) : base(key, name, hardware)
- {
- }
-
- ///
- /// Constructor without hardware instance
- ///
- /// key of the device
- /// name of the device
- protected CrestronGenericBridgeableBaseDevice(string key, string name)
- : base(key, name)
- {
- }
-
- ///
- /// Links to API
- ///
- /// the trilist
- /// the starting join number
- /// the join map key
- /// the bridge instance
- public abstract void LinkToApi(BasicTriList trilist, uint joinStart, string joinMapKey, EiscApiAdvanced bridge);
}
+ protected CrestronGenericBridgeableBaseDevice(string key, string name)
+ : base(key, name)
+ {
+ }
+
+
+ public abstract void LinkToApi(BasicTriList trilist, uint joinStart, string joinMapKey, EiscApiAdvanced bridge);
+}
+
//***********************************************************************************
///
@@ -281,5 +249,4 @@ namespace PepperDash.Essentials.Core
return result;
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/CrestronIO/GenericRelayDevice.cs b/src/PepperDash.Essentials.Core/CrestronIO/GenericRelayDevice.cs
index a41e1411..15dfcd36 100644
--- a/src/PepperDash.Essentials.Core/CrestronIO/GenericRelayDevice.cs
+++ b/src/PepperDash.Essentials.Core/CrestronIO/GenericRelayDevice.cs
@@ -13,253 +13,209 @@ using PepperDash.Essentials.Core.Bridges;
using PepperDash.Essentials.Core.Config;
using Serilog.Events;
-namespace PepperDash.Essentials.Core.CrestronIO
+namespace PepperDash.Essentials.Core.CrestronIO;
+
+///
+/// Represents a generic device controlled by relays
+///
+[Description("Wrapper class for a Relay")]
+public class GenericRelayDevice : EssentialsBridgeableDevice, ISwitchedOutput
{
- ///
- /// Represents a generic device controlled by relays
- ///
- [Description("Wrapper class for a Relay")]
- public class GenericRelayDevice : EssentialsBridgeableDevice, ISwitchedOutput
+ public Relay RelayOutput { get; private set; }
+
+ public BoolFeedback OutputIsOnFeedback { get; private set; }
+
+ //Maintained for compatibility with PepperDash.Essentials.Core.Devices.CrestronProcessor
+ public GenericRelayDevice(string key, Relay relay) :
+ base(key)
{
- ///
- /// The RelayOutput controlled by this device
- ///
- public Relay RelayOutput { get; private set; }
+ OutputIsOnFeedback = new BoolFeedback(new Func(() => RelayOutput.State));
- ///
- /// Feedback to indicate whether the output is on
- ///
- public BoolFeedback OutputIsOnFeedback { get; private set; }
+ RelayOutput = relay;
+ RelayOutput.Register();
- //Maintained for compatibility with PepperDash.Essentials.Core.Devices.CrestronProcessor
- ///
- /// Constructor for GenericRelayDevice
- ///
- /// key of the device
- /// Relay output controlled by this device
- public GenericRelayDevice(string key, Relay relay) :
- base(key)
+ RelayOutput.StateChange += RelayOutput_StateChange;
+ }
+
+ public GenericRelayDevice(string key, string name, Func postActivationFunc,
+ IOPortConfig config)
+ : base(key, name)
+ {
+ OutputIsOnFeedback = new BoolFeedback(() => RelayOutput.State);
+
+ AddPostActivationAction(() =>
{
- OutputIsOnFeedback = new BoolFeedback(new Func(() => RelayOutput.State));
-
- RelayOutput = relay;
- RelayOutput.Register();
-
- RelayOutput.StateChange += RelayOutput_StateChange;
- }
-
- ///
- /// Constructor for GenericRelayDevice
- ///
- /// key of the device
- /// name of the device
- /// function to get the relay output
- /// IO port configuration
- public GenericRelayDevice(string key, string name, Func postActivationFunc,
- IOPortConfig config)
- : base(key, name)
- {
- OutputIsOnFeedback = new BoolFeedback(() => RelayOutput.State);
-
- AddPostActivationAction(() =>
- {
- RelayOutput = postActivationFunc(config);
-
- if (RelayOutput == null)
- {
- Debug.LogMessage(LogEventLevel.Information, this, "Unable to get parent relay device for device key {0} and port {1}", config.PortDeviceKey, config.PortNumber);
- return;
- }
-
- RelayOutput.Register();
-
- RelayOutput.StateChange += RelayOutput_StateChange;
- });
- }
-
- #region PreActivate
-
- private static Relay GetRelay(IOPortConfig dc)
- {
-
- IRelayPorts relayDevice;
-
- if(dc.PortDeviceKey.Equals("processor"))
- {
- if (!Global.ControlSystem.SupportsRelay)
- {
- Debug.LogMessage(LogEventLevel.Information, "Processor does not support relays");
- return null;
- }
- relayDevice = Global.ControlSystem;
-
- return relayDevice.RelayPorts[dc.PortNumber];
- }
-
- var essentialsDevice = DeviceManager.GetDeviceForKey(dc.PortDeviceKey);
- if (essentialsDevice == null)
- {
- Debug.LogMessage(LogEventLevel.Information, "Device {0} was not found in Device Manager. Check configuration or for errors with device.", dc.PortDeviceKey);
- return null;
- }
-
- relayDevice = essentialsDevice as IRelayPorts;
-
- if (relayDevice == null)
- {
- Debug.LogMessage(LogEventLevel.Information, "Device {0} is not a valid relay parent. Please check configuration.", dc.PortDeviceKey);
- return null;
- }
-
- if (dc.PortNumber <= relayDevice.NumberOfRelayPorts)
- {
- return relayDevice.RelayPorts[dc.PortNumber];
- }
-
- Debug.LogMessage(LogEventLevel.Information, "Device {0} does not contain a port {1}", dc.PortDeviceKey, dc.PortNumber);
- return null;
- }
-
- #endregion
-
- #region Events
-
- void RelayOutput_StateChange(Relay relay, RelayEventArgs args)
- {
- OutputIsOnFeedback.FireUpdate();
- }
-
- #endregion
-
- #region Methods
-
- ///
- /// OpenRelay method
- ///
- public void OpenRelay()
- {
- RelayOutput.State = false;
- }
-
- ///
- /// CloseRelay method
- ///
- public void CloseRelay()
- {
- RelayOutput.State = true;
- }
-
- ///
- /// ToggleRelayState method
- ///
- public void ToggleRelayState()
- {
- if (RelayOutput.State == true)
- OpenRelay();
- else
- CloseRelay();
- }
-
- #endregion
-
- #region ISwitchedOutput Members
-
- void ISwitchedOutput.On()
- {
- CloseRelay();
- }
-
- void ISwitchedOutput.Off()
- {
- OpenRelay();
- }
-
- #endregion
-
- #region Bridge Linking
-
- ///
- /// LinkToApi method
- ///
- ///
- public override void LinkToApi(BasicTriList trilist, uint joinStart, string joinMapKey, EiscApiAdvanced bridge)
- {
- var joinMap = new GenericRelayControllerJoinMap(joinStart);
-
- var joinMapSerialized = JoinMapHelper.GetSerializedJoinMapForDevice(joinMapKey);
-
- if (!string.IsNullOrEmpty(joinMapSerialized))
- joinMap = JsonConvert.DeserializeObject(joinMapSerialized);
-
- if (bridge != null)
- {
- bridge.AddJoinMap(Key, joinMap);
- }
- else
- {
- Debug.LogMessage(LogEventLevel.Information, this, "Please update config to use 'eiscapiadvanced' to get all join map features for this device.");
- }
+ RelayOutput = postActivationFunc(config);
if (RelayOutput == null)
{
- Debug.LogMessage(LogEventLevel.Debug, this, "Unable to link device '{0}'. Relay is null", Key);
+ Debug.LogMessage(LogEventLevel.Information, this, "Unable to get parent relay device for device key {0} and port {1}", config.PortDeviceKey, config.PortNumber);
return;
}
- Debug.LogMessage(LogEventLevel.Debug, this, "Linking to Trilist '{0}'", trilist.ID.ToString("X"));
-
- trilist.SetBoolSigAction(joinMap.Relay.JoinNumber, b =>
- {
- if (b)
- CloseRelay();
- else
- OpenRelay();
- });
-
- // feedback for relay state
-
- OutputIsOnFeedback.LinkInputSig(trilist.BooleanInput[joinMap.Relay.JoinNumber]);
- }
-
- #endregion
-
- #region Factory
-
- ///
- /// Represents a GenericRelayDeviceFactory
- ///
- public class GenericRelayDeviceFactory : EssentialsDeviceFactory
- {
- ///
- /// Constructor for GenericRelayDeviceFactory
- ///
- public GenericRelayDeviceFactory()
- {
- TypeNames = new List() { "relayoutput" };
- }
-
- ///
- /// BuildDevice method
- ///
- ///
- public override EssentialsDevice BuildDevice(DeviceConfig dc)
- {
- Debug.LogMessage(LogEventLevel.Debug, "Factory Attempting to create new Generic Relay Device");
-
- var props = JsonConvert.DeserializeObject(dc.Properties.ToString());
-
- if (props == null) return null;
-
- var portDevice = new GenericRelayDevice(dc.Key, dc.Name, GetRelay, props);
-
- return portDevice;
- }
- }
-
- #endregion
-
+ RelayOutput.Register();
+ RelayOutput.StateChange += RelayOutput_StateChange;
+ });
}
+ #region PreActivate
+
+ private static Relay GetRelay(IOPortConfig dc)
+ {
+
+ IRelayPorts relayDevice;
+
+ if(dc.PortDeviceKey.Equals("processor"))
+ {
+ if (!Global.ControlSystem.SupportsRelay)
+ {
+ Debug.LogMessage(LogEventLevel.Information, "Processor does not support relays");
+ return null;
+ }
+ relayDevice = Global.ControlSystem;
+
+ return relayDevice.RelayPorts[dc.PortNumber];
+ }
+
+ var essentialsDevice = DeviceManager.GetDeviceForKey(dc.PortDeviceKey);
+ if (essentialsDevice == null)
+ {
+ Debug.LogMessage(LogEventLevel.Information, "Device {0} was not found in Device Manager. Check configuration or for errors with device.", dc.PortDeviceKey);
+ return null;
+ }
+
+ relayDevice = essentialsDevice as IRelayPorts;
+
+ if (relayDevice == null)
+ {
+ Debug.LogMessage(LogEventLevel.Information, "Device {0} is not a valid relay parent. Please check configuration.", dc.PortDeviceKey);
+ return null;
+ }
+
+ if (dc.PortNumber <= relayDevice.NumberOfRelayPorts)
+ {
+ return relayDevice.RelayPorts[dc.PortNumber];
+ }
+
+ Debug.LogMessage(LogEventLevel.Information, "Device {0} does not contain a port {1}", dc.PortDeviceKey, dc.PortNumber);
+ return null;
+ }
+
+ #endregion
+
+ #region Events
+
+ void RelayOutput_StateChange(Relay relay, RelayEventArgs args)
+ {
+ OutputIsOnFeedback.FireUpdate();
+ }
+
+ #endregion
+
+ #region Methods
+
+ public void OpenRelay()
+ {
+ RelayOutput.State = false;
+ }
+
+ public void CloseRelay()
+ {
+ RelayOutput.State = true;
+ }
+
+ public void ToggleRelayState()
+ {
+ if (RelayOutput.State == true)
+ OpenRelay();
+ else
+ CloseRelay();
+ }
+
+ #endregion
+
+ #region ISwitchedOutput Members
+
+ void ISwitchedOutput.On()
+ {
+ CloseRelay();
+ }
+
+ void ISwitchedOutput.Off()
+ {
+ OpenRelay();
+ }
+
+ #endregion
+
+ #region Bridge Linking
+
+ public override void LinkToApi(BasicTriList trilist, uint joinStart, string joinMapKey, EiscApiAdvanced bridge)
+ {
+ var joinMap = new GenericRelayControllerJoinMap(joinStart);
+
+ var joinMapSerialized = JoinMapHelper.GetSerializedJoinMapForDevice(joinMapKey);
+
+ if (!string.IsNullOrEmpty(joinMapSerialized))
+ joinMap = JsonConvert.DeserializeObject(joinMapSerialized);
+
+ if (bridge != null)
+ {
+ bridge.AddJoinMap(Key, joinMap);
+ }
+ else
+ {
+ Debug.LogMessage(LogEventLevel.Information, this, "Please update config to use 'eiscapiadvanced' to get all join map features for this device.");
+ }
+
+ if (RelayOutput == null)
+ {
+ Debug.LogMessage(LogEventLevel.Debug, this, "Unable to link device '{0}'. Relay is null", Key);
+ return;
+ }
+
+ Debug.LogMessage(LogEventLevel.Debug, this, "Linking to Trilist '{0}'", trilist.ID.ToString("X"));
+
+ trilist.SetBoolSigAction(joinMap.Relay.JoinNumber, b =>
+ {
+ if (b)
+ CloseRelay();
+ else
+ OpenRelay();
+ });
+
+ // feedback for relay state
+
+ OutputIsOnFeedback.LinkInputSig(trilist.BooleanInput[joinMap.Relay.JoinNumber]);
+ }
+
+ #endregion
+
+ #region Factory
+
+ public class GenericRelayDeviceFactory : EssentialsDeviceFactory
+ {
+ public GenericRelayDeviceFactory()
+ {
+ TypeNames = new List() { "relayoutput" };
+ }
+
+ public override EssentialsDevice BuildDevice(DeviceConfig dc)
+ {
+ Debug.LogMessage(LogEventLevel.Debug, "Factory Attempting to create new Generic Relay Device");
+
+ var props = JsonConvert.DeserializeObject(dc.Properties.ToString());
+
+ if (props == null) return null;
+
+ var portDevice = new GenericRelayDevice(dc.Key, dc.Name, GetRelay, props);
+
+ return portDevice;
+ }
+ }
+
+ #endregion
+
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/CrestronIO/GenericVersiportAnalogInputDevice.cs b/src/PepperDash.Essentials.Core/CrestronIO/GenericVersiportAnalogInputDevice.cs
index ad5507d0..d9deb961 100644
--- a/src/PepperDash.Essentials.Core/CrestronIO/GenericVersiportAnalogInputDevice.cs
+++ b/src/PepperDash.Essentials.Core/CrestronIO/GenericVersiportAnalogInputDevice.cs
@@ -1,6 +1,4 @@
-
-
-using System;
+using System;
using System.Collections.Generic;
using Crestron.SimplSharpPro;
using Crestron.SimplSharpPro.DeviceSupport;
diff --git a/src/PepperDash.Essentials.Core/CrestronIO/GenericVersiportInputDevice.cs b/src/PepperDash.Essentials.Core/CrestronIO/GenericVersiportInputDevice.cs
index 47e8aef6..2088e952 100644
--- a/src/PepperDash.Essentials.Core/CrestronIO/GenericVersiportInputDevice.cs
+++ b/src/PepperDash.Essentials.Core/CrestronIO/GenericVersiportInputDevice.cs
@@ -1,6 +1,4 @@
-
-
-using System;
+using System;
using System.Collections.Generic;
using Crestron.SimplSharpPro;
using Crestron.SimplSharpPro.DeviceSupport;
diff --git a/src/PepperDash.Essentials.Core/CrestronIO/GenericVersiportOutputDevice.cs b/src/PepperDash.Essentials.Core/CrestronIO/GenericVersiportOutputDevice.cs
index ee3f0320..39c26cd6 100644
--- a/src/PepperDash.Essentials.Core/CrestronIO/GenericVersiportOutputDevice.cs
+++ b/src/PepperDash.Essentials.Core/CrestronIO/GenericVersiportOutputDevice.cs
@@ -11,173 +11,176 @@ using PepperDash.Essentials.Core.Bridges;
using PepperDash.Essentials.Core.Config;
using Serilog.Events;
-namespace PepperDash.Essentials.Core.CrestronIO
+namespace PepperDash.Essentials.Core.CrestronIO;
+
+///
+/// Represents a generic digital input deviced tied to a versiport
+///
+public class GenericVersiportDigitalOutputDevice : EssentialsBridgeableDevice, IDigitalOutput
{
- ///
- /// Represents a generic digital input deviced tied to a versiport
- ///
- public class GenericVersiportDigitalOutputDevice : EssentialsBridgeableDevice, IDigitalOutput, IHasFeedback
+ public Versiport OutputPort { get; private set; }
+
+ public BoolFeedback OutputStateFeedback { get; private set; }
+
+ Func OutputStateFeedbackFunc
{
- private Versiport outputPort;
-
- ///
- /// Gets or sets the OutputStateFeedback
- ///
- public BoolFeedback OutputStateFeedback { get; private set; }
-
- ///
- public FeedbackCollection Feedbacks { get; private set; } = new FeedbackCollection();
-
- ///
- /// Initializes a new instance of the class.
- ///
- public GenericVersiportDigitalOutputDevice(string key, string name, Func postActivationFunc, IOPortConfig config) :
- base(key, name)
+ get
{
- OutputStateFeedback = new BoolFeedback("outputState", () => outputPort.DigitalOut);
-
- AddPostActivationAction(() =>
- {
- outputPort = postActivationFunc(config);
-
- outputPort.Register();
-
-
- if (!outputPort.SupportsDigitalOutput)
- {
- this.LogError("Device does not support configuration as a Digital Output");
- return;
- }
-
- outputPort.SetVersiportConfiguration(eVersiportConfiguration.DigitalOutput);
-
-
- outputPort.VersiportChange += OutputPort_VersiportChange;
-
- });
+ return () => OutputPort.DigitalOut;
}
+ }
- void OutputPort_VersiportChange(Versiport port, VersiportEventArgs args)
+ public GenericVersiportDigitalOutputDevice(string key, string name, Func postActivationFunc, IOPortConfig config) :
+ base(key, name)
+ {
+ OutputStateFeedback = new BoolFeedback(OutputStateFeedbackFunc);
+
+ AddPostActivationAction(() =>
{
- this.LogDebug("Versiport change: {event}", args.Event);
+ OutputPort = postActivationFunc(config);
- if (args.Event == eVersiportEvent.DigitalOutChange)
- OutputStateFeedback.FireUpdate();
- }
+ OutputPort.Register();
- ///
- /// Set value of the versiport digital output
- ///
- /// value to set the output to
- public void SetOutput(bool state)
- {
- if (!outputPort.SupportsDigitalOutput)
+
+ if (!OutputPort.SupportsDigitalOutput)
{
- this.LogError("Versiport does not support Digital Output Mode");
+ Debug.LogMessage(LogEventLevel.Information, this, "Device does not support configuration as a Digital Output");
return;
}
- outputPort.DigitalOut = state;
- }
+ OutputPort.SetVersiportConfiguration(eVersiportConfiguration.DigitalOutput);
- #region Bridge Linking
- ///
- /// LinkToApi method
- ///
- ///
- public override void LinkToApi(BasicTriList trilist, uint joinStart, string joinMapKey, EiscApiAdvanced bridge)
- {
- var joinMap = new IDigitalOutputJoinMap(joinStart);
+ OutputPort.VersiportChange += OutputPort_VersiportChange;
- var joinMapSerialized = JoinMapHelper.GetSerializedJoinMapForDevice(joinMapKey);
+ });
- if (!string.IsNullOrEmpty(joinMapSerialized))
- joinMap = JsonConvert.DeserializeObject(joinMapSerialized);
+ }
- if (bridge != null)
+ void OutputPort_VersiportChange(Versiport port, VersiportEventArgs args)
+ {
+ Debug.LogMessage(LogEventLevel.Debug, this, "Versiport change: {0}", args.Event);
+
+ if(args.Event == eVersiportEvent.DigitalOutChange)
+ OutputStateFeedback.FireUpdate();
+ }
+
+ ///
+ /// Set value of the versiport digital output
+ ///
+ /// value to set the output to
+ public void SetOutput(bool state)
+ {
+ if (OutputPort.SupportsDigitalOutput)
{
- bridge.AddJoinMap(Key, joinMap);
+ Debug.LogMessage(LogEventLevel.Information, this, "Passed the Check");
+
+ OutputPort.DigitalOut = state;
+
}
else
{
- this.LogWarning("Please update config to use 'eiscapiadvanced' to get all join map features for this device.");
+ Debug.LogMessage(LogEventLevel.Information, this, "Versiport does not support Digital Output Mode");
}
- try
- {
- this.LogDebug("Linking to Trilist '{0}'", trilist.ID.ToString("X"));
+ }
- // Link feedback for input state
- OutputStateFeedback.LinkInputSig(trilist.BooleanInput[joinMap.OutputState.JoinNumber]);
- trilist.SetBoolSigAction(joinMap.OutputState.JoinNumber, SetOutput);
- }
- catch (Exception e)
- {
- this.LogError("Unable to link device: {message}", e.Message);
- this.LogDebug(e, "Stack Trace: ");
- }
+ #region Bridge Linking
+
+ public override void LinkToApi(BasicTriList trilist, uint joinStart, string joinMapKey, EiscApiAdvanced bridge)
+ {
+ var joinMap = new IDigitalOutputJoinMap(joinStart);
+
+ var joinMapSerialized = JoinMapHelper.GetSerializedJoinMapForDevice(joinMapKey);
+
+ if (!string.IsNullOrEmpty(joinMapSerialized))
+ joinMap = JsonConvert.DeserializeObject(joinMapSerialized);
+
+ if (bridge != null)
+ {
+ bridge.AddJoinMap(Key, joinMap);
+ }
+ else
+ {
+ Debug.LogMessage(LogEventLevel.Information, this, "Please update config to use 'eiscapiadvanced' to get all join map features for this device.");
}
- #endregion
-
-
- ///
- /// GetVersiportDigitalOutput method
- ///
- public static Versiport GetVersiportDigitalOutput(IOPortConfig dc)
+ try
{
+ Debug.LogMessage(LogEventLevel.Debug, this, "Linking to Trilist '{0}'", trilist.ID.ToString("X"));
+
+ // Link feedback for input state
+ OutputStateFeedback.LinkInputSig(trilist.BooleanInput[joinMap.OutputState.JoinNumber]);
+ trilist.SetBoolSigAction(joinMap.OutputState.JoinNumber, SetOutput);
+ }
+ catch (Exception e)
+ {
+ Debug.LogMessage(LogEventLevel.Debug, this, "Unable to link device '{0}'. Input is null", Key);
+ Debug.LogMessage(LogEventLevel.Debug, this, "Error: {0}", e);
+ }
+ }
+
+ #endregion
+
+
+ public static Versiport GetVersiportDigitalOutput(IOPortConfig dc)
+ {
+
+ IIOPorts ioPortDevice;
+
if (dc.PortDeviceKey.Equals("processor"))
{
if (!Global.ControlSystem.SupportsVersiport)
{
- Debug.LogError("GetVersiportDigitalOutput: Processor does not support Versiports");
+ Debug.LogMessage(LogEventLevel.Information, "GetVersiportDigitalOuptut: Processor does not support Versiports");
return null;
}
- return Global.ControlSystem.VersiPorts[dc.PortNumber];
+ ioPortDevice = Global.ControlSystem;
}
-
- if (!(DeviceManager.GetDeviceForKey(dc.PortDeviceKey) is IIOPorts ioPortDevice))
+ else
{
- Debug.LogError("GetVersiportDigitalOutput: Device {key} is not a valid device", dc.PortDeviceKey);
+ var ioPortDev = DeviceManager.GetDeviceForKey(dc.PortDeviceKey) as IIOPorts;
+ if (ioPortDev == null)
+ {
+ Debug.LogMessage(LogEventLevel.Information, "GetVersiportDigitalOuptut: Device {0} is not a valid device", dc.PortDeviceKey);
+ return null;
+ }
+ ioPortDevice = ioPortDev;
+ }
+ if (ioPortDevice == null)
+ {
+ Debug.LogMessage(LogEventLevel.Information, "GetVersiportDigitalOuptut: Device '0' is not a valid IOPorts Device", dc.PortDeviceKey);
return null;
}
if (dc.PortNumber > ioPortDevice.NumberOfVersiPorts)
{
- Debug.LogMessage(LogEventLevel.Information, "GetVersiportDigitalOutput: Device {0} does not contain a port {1}", dc.PortDeviceKey, dc.PortNumber);
- return null;
+ Debug.LogMessage(LogEventLevel.Information, "GetVersiportDigitalOuptut: Device {0} does not contain a port {1}", dc.PortDeviceKey, dc.PortNumber);
}
- return ioPortDevice.VersiPorts[dc.PortNumber];
- }
+ var port = ioPortDevice.VersiPorts[dc.PortNumber];
+ return port;
+
+ }
+}
+
+
+public class GenericVersiportDigitalOutputDeviceFactory : EssentialsDeviceFactory
+{
+ public GenericVersiportDigitalOutputDeviceFactory()
+ {
+ TypeNames = new List() { "versiportoutput" };
}
-
- ///
- /// Represents a GenericVersiportDigitalOutputDeviceFactory
- ///
- public class GenericVersiportDigitalOutputDeviceFactory : EssentialsDeviceFactory
+ public override EssentialsDevice BuildDevice(DeviceConfig dc)
{
- ///
- /// Initialize a new instance of the class.
- ///
- public GenericVersiportDigitalOutputDeviceFactory()
- {
- TypeNames = new List() { "versiportoutput" };
- }
+ Debug.LogMessage(LogEventLevel.Debug, "Factory Attempting to create new Generic Versiport Device");
- ///
- public override EssentialsDevice BuildDevice(DeviceConfig dc)
- {
- Debug.LogDebug("Factory Attempting to create new Generic Versiport Device");
+ var props = JsonConvert.DeserializeObject(dc.Properties.ToString());
- var props = JsonConvert.DeserializeObject(dc.Properties.ToString());
+ if (props == null) return null;
- if (props == null) return null;
+ var portDevice = new GenericVersiportDigitalOutputDevice(dc.Key, dc.Name, GenericVersiportDigitalOutputDevice.GetVersiportDigitalOutput, props);
- var portDevice = new GenericVersiportDigitalOutputDevice(dc.Key, dc.Name, GenericVersiportDigitalOutputDevice.GetVersiportDigitalOutput, props);
-
- return portDevice;
- }
+ return portDevice;
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/CrestronIO/IAnalogInput.cs b/src/PepperDash.Essentials.Core/CrestronIO/IAnalogInput.cs
index 426834ed..c42e273c 100644
--- a/src/PepperDash.Essentials.Core/CrestronIO/IAnalogInput.cs
+++ b/src/PepperDash.Essentials.Core/CrestronIO/IAnalogInput.cs
@@ -5,7 +5,9 @@ using System.Text;
using Crestron.SimplSharp;
using PepperDash.Essentials.Core;
-namespace PepperDash.Essentials.Core.CrestronIO
+namespace PepperDash.Essentials.Core.CrestronIO;
+
+public interface IAnalogInput
{
///
/// Defines the contract for IAnalogInput
diff --git a/src/PepperDash.Essentials.Core/CrestronIO/IDigitalInput.cs b/src/PepperDash.Essentials.Core/CrestronIO/IDigitalInput.cs
index 8e1b4c18..963fa8b1 100644
--- a/src/PepperDash.Essentials.Core/CrestronIO/IDigitalInput.cs
+++ b/src/PepperDash.Essentials.Core/CrestronIO/IDigitalInput.cs
@@ -1,19 +1,14 @@
-using System;
-using System.Collections.Generic;
-using System.Linq;
-using System.Text;
-using Crestron.SimplSharp;
+
+namespace PepperDash.Essentials.Core.CrestronIO;
-namespace PepperDash.Essentials.Core.CrestronIO
+
+///
+/// Represents a device that provides digital input
+///
+public interface IDigitalInput
{
///
- /// Represents a device that provides digital input
+ /// Feedback to indicate the state of the input
///
- public interface IDigitalInput
- {
- ///
- /// Feedback to indicate the state of the input
- ///
- BoolFeedback InputStateFeedback { get; }
- }
-}
\ No newline at end of file
+ BoolFeedback InputStateFeedback { get; }
+}
diff --git a/src/PepperDash.Essentials.Core/CrestronIO/IDigitalOutput.cs b/src/PepperDash.Essentials.Core/CrestronIO/IDigitalOutput.cs
index 82aa0686..7c4f720a 100644
--- a/src/PepperDash.Essentials.Core/CrestronIO/IDigitalOutput.cs
+++ b/src/PepperDash.Essentials.Core/CrestronIO/IDigitalOutput.cs
@@ -4,7 +4,12 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Essentials.Core.CrestronIO
+namespace PepperDash.Essentials.Core.CrestronIO;
+
+///
+/// Represents a device that provides digital input
+///
+public interface IDigitalOutput
{
///
/// Represents a device that provides digital input
diff --git a/src/PepperDash.Essentials.Core/CrestronIO/IHasCresnetBranches.cs b/src/PepperDash.Essentials.Core/CrestronIO/IHasCresnetBranches.cs
index ee86b5fe..b882f50e 100644
--- a/src/PepperDash.Essentials.Core/CrestronIO/IHasCresnetBranches.cs
+++ b/src/PepperDash.Essentials.Core/CrestronIO/IHasCresnetBranches.cs
@@ -6,7 +6,12 @@ using Crestron.SimplSharp;
using Crestron.SimplSharpPro;
using Crestron.SimplSharpPro.DeviceSupport;
-namespace PepperDash.Essentials.Core
+namespace PepperDash.Essentials.Core;
+
+///
+/// Defines the contract for a class that has Cresnet branches
+///
+public interface IHasCresnetBranches
{
///
/// Defines the contract for IHasCresnetBranches
diff --git a/src/PepperDash.Essentials.Core/CrestronIO/IOPortConfig.cs b/src/PepperDash.Essentials.Core/CrestronIO/IOPortConfig.cs
index 7b76958b..f89b3b0f 100644
--- a/src/PepperDash.Essentials.Core/CrestronIO/IOPortConfig.cs
+++ b/src/PepperDash.Essentials.Core/CrestronIO/IOPortConfig.cs
@@ -1,5 +1,4 @@
-
using System;
using System.Collections.Generic;
using System.Linq;
diff --git a/src/PepperDash.Essentials.Core/CrestronIO/ISwitchedOutput.cs b/src/PepperDash.Essentials.Core/CrestronIO/ISwitchedOutput.cs
index 30b4b8f9..9f5bec7b 100644
--- a/src/PepperDash.Essentials.Core/CrestronIO/ISwitchedOutput.cs
+++ b/src/PepperDash.Essentials.Core/CrestronIO/ISwitchedOutput.cs
@@ -6,37 +6,36 @@ using Crestron.SimplSharp;
using PepperDash.Essentials.Core;
-namespace PepperDash.Essentials.Core.CrestronIO
+namespace PepperDash.Essentials.Core.CrestronIO;
+
+///
+/// Describes an output capable of switching on and off
+///
+public interface ISwitchedOutput
{
///
- /// Describes an output capable of switching on and off
+ /// Feedback to indicate the state of the output
///
- public interface ISwitchedOutput
- {
- ///
- /// Feedback to indicate whether the output is on
- ///
- BoolFeedback OutputIsOnFeedback {get;}
-
- ///
- /// Turns the output on
- ///
- void On();
-
- ///
- /// Turns the output off
- ///
- void Off();
- }
+ BoolFeedback OutputIsOnFeedback {get;}
///
- /// Describes a collection of switched outputs
+ /// Turns the output on
///
- public interface ISwitchedOutputCollection
- {
- ///
- /// Dictionary of switched outputs by their port number
- ///
- Dictionary SwitchedOutputs { get; }
- }
+ void On();
+
+ ///
+ /// Turns the output off
+ ///
+ void Off();
+}
+
+///
+/// Defines the contract for a class that has a collection of switched outputs
+///
+public interface ISwitchedOutputCollection
+{
+ ///
+ /// Collection of switched outputs, indexed by their output number
+ ///
+ Dictionary SwitchedOutputs { get; }
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Device Info/DeviceInfo.cs b/src/PepperDash.Essentials.Core/Device Info/DeviceInfo.cs
index 6e55c9b3..abd011ef 100644
--- a/src/PepperDash.Essentials.Core/Device Info/DeviceInfo.cs
+++ b/src/PepperDash.Essentials.Core/Device Info/DeviceInfo.cs
@@ -1,29 +1,28 @@
-namespace PepperDash.Essentials.Core.DeviceInfo
+namespace PepperDash.Essentials.Core.DeviceInfo;
+
+///
+/// Represents a DeviceInfo
+///
+public class DeviceInfo
{
///
- /// Represents a DeviceInfo
+ /// Gets or sets the HostName
///
- public class DeviceInfo
- {
- ///
- /// Gets or sets the HostName
- ///
- public string HostName { get; set; }
- ///
- /// Gets or sets the IpAddress
- ///
- public string IpAddress { get; set; }
- ///
- /// Gets or sets the MacAddress
- ///
- public string MacAddress { get; set; }
- ///
- /// Gets or sets the SerialNumber
- ///
- public string SerialNumber { get; set; }
- ///
- /// Gets or sets the FirmwareVersion
- ///
- public string FirmwareVersion { get; set; }
- }
-}
\ No newline at end of file
+ public string HostName { get; set; }
+ ///
+ /// Gets or sets the IpAddress
+ ///
+ public string IpAddress { get; set; }
+ ///
+ /// Gets or sets the MacAddress
+ ///
+ public string MacAddress { get; set; }
+ ///
+ /// Gets or sets the SerialNumber
+ ///
+ public string SerialNumber { get; set; }
+ ///
+ /// Gets or sets the FirmwareVersion
+ ///
+ public string FirmwareVersion { get; set; }
+}
diff --git a/src/PepperDash.Essentials.Core/Device Info/DeviceInfoEventArgs.cs b/src/PepperDash.Essentials.Core/Device Info/DeviceInfoEventArgs.cs
index 266b0d0b..df4ea69d 100644
--- a/src/PepperDash.Essentials.Core/Device Info/DeviceInfoEventArgs.cs
+++ b/src/PepperDash.Essentials.Core/Device Info/DeviceInfoEventArgs.cs
@@ -1,32 +1,32 @@
using System;
-namespace PepperDash.Essentials.Core.DeviceInfo
+namespace PepperDash.Essentials.Core.DeviceInfo;
+
+
+///
+/// Represents a DeviceInfoEventArgs
+///
+public class DeviceInfoEventArgs : EventArgs
{
///
- /// Represents a DeviceInfoEventArgs
+ /// Gets or sets the DeviceInfo
///
- public class DeviceInfoEventArgs:EventArgs
+ public DeviceInfo DeviceInfo { get; set; }
+
+ ///
+ /// Constructor
+ ///
+ public DeviceInfoEventArgs()
{
- ///
- /// Gets or sets the DeviceInfo
- ///
- public DeviceInfo DeviceInfo { get; set; }
- ///
- /// Constructor
- ///
- public DeviceInfoEventArgs()
- {
-
- }
-
- ///
- /// Constructor with DeviceInfo
- ///
- /// the DeviceInfo instance
- public DeviceInfoEventArgs(DeviceInfo devInfo)
- {
- DeviceInfo = devInfo;
- }
}
-}
\ No newline at end of file
+
+ ///
+ /// Constructor with DeviceInfo
+ ///
+ /// the DeviceInfo instance
+ public DeviceInfoEventArgs(DeviceInfo devInfo)
+ {
+ DeviceInfo = devInfo;
+ }
+}
diff --git a/src/PepperDash.Essentials.Core/Device Info/IDeviceInfoProvider.cs b/src/PepperDash.Essentials.Core/Device Info/IDeviceInfoProvider.cs
index 3f5a4735..d4dc0852 100644
--- a/src/PepperDash.Essentials.Core/Device Info/IDeviceInfoProvider.cs
+++ b/src/PepperDash.Essentials.Core/Device Info/IDeviceInfoProvider.cs
@@ -1,31 +1,31 @@
using System;
using PepperDash.Core;
-namespace PepperDash.Essentials.Core.DeviceInfo
+namespace PepperDash.Essentials.Core.DeviceInfo;
+
+///
+/// Defines the contract for IDeviceInfoProvider
+///
+public interface IDeviceInfoProvider : IKeyed
{
///
- /// Defines the contract for IDeviceInfoProvider
+ /// Gets the DeviceInfo
///
- public interface IDeviceInfoProvider:IKeyed
- {
- ///
- /// Gets the DeviceInfo
- ///
- DeviceInfo DeviceInfo { get; }
-
- ///
- /// Event fired when DeviceInfo changes
- ///
- event DeviceInfoChangeHandler DeviceInfoChanged;
-
- ///
- /// Updates the DeviceInfo
- ///
- void UpdateDeviceInfo();
- }
+ DeviceInfo DeviceInfo { get; }
///
- /// Delegate for DeviceInfoChangeHandler
+ /// Event fired when DeviceInfo changes
///
- public delegate void DeviceInfoChangeHandler(IKeyed device, DeviceInfoEventArgs args);
-}
\ No newline at end of file
+ event DeviceInfoChangeHandler DeviceInfoChanged;
+
+ ///
+ /// Updates the DeviceInfo
+ ///
+ void UpdateDeviceInfo();
+}
+
+///
+/// Delegate for DeviceInfoChangeHandler
+///
+public delegate void DeviceInfoChangeHandler(IKeyed device, DeviceInfoEventArgs args);
+
diff --git a/src/PepperDash.Essentials.Core/Device Info/NetworkDeviceHelpers.cs b/src/PepperDash.Essentials.Core/Device Info/NetworkDeviceHelpers.cs
index 79eaa018..14390754 100644
--- a/src/PepperDash.Essentials.Core/Device Info/NetworkDeviceHelpers.cs
+++ b/src/PepperDash.Essentials.Core/Device Info/NetworkDeviceHelpers.cs
@@ -6,233 +6,213 @@ using Crestron.SimplSharp;
using PepperDash.Essentials.Core;
using Serilog.Events;
-namespace PepperDash.Essentials.Core.DeviceInfo
+namespace PepperDash.Essentials.Core.DeviceInfo;
+
+public static class NetworkDeviceHelpers
{
///
- /// Static class NetworkDeviceHelpers
+ /// Event raised when ArpTable changes
///
- public static class NetworkDeviceHelpers
+ public static event ArpTableEventHandler ArpTableUpdated;
+
+ ///
+ /// Delegate called by ArpTableUpdated
+ ///
+ /// contains the entire ARP table and a bool to note if there was an error in retrieving the data
+ public delegate void ArpTableEventHandler(ArpTableEventArgs args);
+
+ private static readonly char NewLineSplitter = CrestronEnvironment.NewLine.ToCharArray().First();
+ private static readonly string NewLine = CrestronEnvironment.NewLine;
+
+ private static readonly CCriticalSection Lock = new CCriticalSection();
+
+ ///
+ /// Last resolved ARP table - it is recommended to refresh the arp before using this.
+ ///
+ public static List ArpTable { get; private set; }
+
+ ///
+ /// Force recheck of ARP table
+ ///
+ public static void RefreshArp()
{
- ///
- /// Event raised when ArpTable changes
- ///
- public static event ArpTableEventHandler ArpTableUpdated;
-
- ///
- /// Delegate called by ArpTableUpdated
- ///
- /// contains the entire ARP table and a bool to note if there was an error in retrieving the data
- public delegate void ArpTableEventHandler(ArpTableEventArgs args);
-
- private static readonly char NewLineSplitter = CrestronEnvironment.NewLine.ToCharArray().First();
- private static readonly string NewLine = CrestronEnvironment.NewLine;
-
- private static readonly CCriticalSection Lock = new CCriticalSection();
-
- ///
- /// Gets or sets the ArpTable
- ///
- public static List ArpTable { get; private set; }
-
- ///
- /// RefreshArp method
- ///
- public static void RefreshArp()
+ var error = false;
+ try
{
- var error = false;
- try
+ Lock.Enter();
+ var consoleResponse = string.Empty;
+ if (!CrestronConsole.SendControlSystemCommand("showarptable", ref consoleResponse)) return;
+ if (string.IsNullOrEmpty(consoleResponse))
{
- Lock.Enter();
- var consoleResponse = string.Empty;
- if (!CrestronConsole.SendControlSystemCommand("showarptable", ref consoleResponse)) return;
- if (string.IsNullOrEmpty(consoleResponse))
- {
- error = true;
- return;
- }
- ArpTable.Clear();
-
- Debug.LogMessage(LogEventLevel.Verbose, "ConsoleResponse of 'showarptable' : {0}{1}", NewLine, consoleResponse);
-
- var myLines =
- consoleResponse.Split(NewLineSplitter)
- .ToList()
- .Where(o => (o.Contains(':') && !o.Contains("Type", StringComparison.OrdinalIgnoreCase)))
- .ToList();
- foreach (var line in myLines)
- {
- var item = line;
- var seperator = item.Contains('\t') ? '\t' : ' ';
- var dataPoints = item.Split(seperator);
- if (dataPoints == null || dataPoints.Length < 2) continue;
- var ipAddress = SanitizeIpAddress(dataPoints.First().TrimAll());
- var macAddress = dataPoints.Last();
- ArpTable.Add(new ArpEntry(ipAddress, macAddress));
- }
- }
- catch (Exception ex)
- {
- Debug.LogMessage(LogEventLevel.Information, "Exception in \"RefreshArp\" : {0}", ex.Message);
error = true;
+ return;
}
- finally
+ ArpTable.Clear();
+
+ Debug.LogMessage(LogEventLevel.Verbose, "ConsoleResponse of 'showarptable' : {0}{1}", NewLine, consoleResponse);
+
+ var myLines =
+ consoleResponse.Split(NewLineSplitter)
+ .ToList()
+ .Where(o => (o.Contains(':') && !o.Contains("Type", StringComparison.OrdinalIgnoreCase)))
+ .ToList();
+ foreach (var line in myLines)
{
- Lock.Leave();
- OnArpTableUpdated(new ArpTableEventArgs(ArpTable, error));
+ var item = line;
+ var seperator = item.Contains('\t') ? '\t' : ' ';
+ var dataPoints = item.Split(seperator);
+ if (dataPoints == null || dataPoints.Length < 2) continue;
+ var ipAddress = SanitizeIpAddress(dataPoints.First().TrimAll());
+ var macAddress = dataPoints.Last();
+ ArpTable.Add(new ArpEntry(ipAddress, macAddress));
}
}
-
-
- private static void OnArpTableUpdated(ArpTableEventArgs args)
+ catch (Exception ex)
{
- if (args == null) return;
- var handler = ArpTableUpdated;
- if (handler == null) return;
- handler.Invoke(args);
+ Debug.LogMessage(LogEventLevel.Information, "Exception in \"RefreshArp\" : {0}", ex.Message);
+ error = true;
}
-
- static NetworkDeviceHelpers()
+ finally
{
- ArpTable = new List();
+ Lock.Leave();
+ OnArpTableUpdated(new ArpTableEventArgs(ArpTable, error));
}
+ }
- ///
- /// Removes leading zeros, leading whitespace, and trailing whitespace from an IPAddress string
- ///
- /// Ip Address to Santitize
- /// Sanitized Ip Address
- ///
- /// SanitizeIpAddress method
- ///
- public static string SanitizeIpAddress(string ipAddressIn)
- {
- try
- {
- var ipAddress = IPAddress.Parse(ipAddressIn.TrimStart('0'));
- return ipAddress.ToString();
- }
- catch (Exception ex)
- {
- Debug.LogMessage(LogEventLevel.Information, "Unable to Santize Ip : {0}", ex.Message);
- return ipAddressIn;
- }
- }
- ///
- /// Resolves a hostname by IP Address using DNS
- ///
- /// IP Address to resolve from
- /// Resolved Hostname - on failure to determine hostname, will return IP Address
- ///
- /// ResolveHostnameFromIp method
- ///
- public static string ResolveHostnameFromIp(string ipAddress)
- {
- try
- {
- var santitizedIp = SanitizeIpAddress(ipAddress);
- var hostEntry = Dns.GetHostEntry(santitizedIp);
- return hostEntry == null ? ipAddress : hostEntry.HostName;
- }
- catch (Exception ex)
- {
- Debug.LogMessage(LogEventLevel.Information, "Exception Resolving Hostname from IP Address : {0}", ex.Message);
- return ipAddress;
- }
- }
-
- ///
- /// Resolves an IP Address by hostname using DNS
- ///
- /// Hostname to resolve from
- /// Resolved IP Address - on a failure to determine IP Address, will return hostname
- ///
- /// ResolveIpFromHostname method
- ///
- public static string ResolveIpFromHostname(string hostName)
- {
- try
- {
- var hostEntry = Dns.GetHostEntry(hostName);
- return hostEntry == null ? hostName : hostEntry.AddressList.First().ToString();
- }
- catch (Exception ex)
- {
- Debug.LogMessage(LogEventLevel.Information, "Exception Resolving IP Address from Hostname : {0}", ex.Message);
- return hostName;
- }
- }
+ private static void OnArpTableUpdated(ArpTableEventArgs args)
+ {
+ if (args == null) return;
+ var handler = ArpTableUpdated;
+ if (handler == null) return;
+ handler.Invoke(args);
+ }
+ static NetworkDeviceHelpers()
+ {
+ ArpTable = new List();
}
///
- /// Represents a ArpEntry
+ /// Removes leading zeros, leading whitespace, and trailing whitespace from an IPAddress string
///
- public class ArpEntry
+ /// Ip Address to Santitize
+ /// Sanitized Ip Address
+ public static string SanitizeIpAddress(string ipAddressIn)
{
- ///
- /// The IP Address of the ARP Entry
- ///
- public readonly IPAddress IpAddress;
-
- ///
- /// The MAC Address of the ARP Entry
- ///
- public readonly string MacAddress;
-
- ///
- /// Constructs new ArpEntry object
- ///
- /// string formatted as ipv4 address
- /// mac address string - format is unimportant
- public ArpEntry(string ipAddress, string macAddress)
+ try
{
- if (string.IsNullOrEmpty(ipAddress))
- {
- throw new ArgumentException("\"ipAddress\" cannot be null or empty");
- }
- if (string.IsNullOrEmpty(macAddress))
- {
- throw new ArgumentException("\"macAddress\" cannot be null or empty");
- }
- IpAddress = IPAddress.Parse(ipAddress.TrimStart().TrimStart('0').TrimEnd());
- MacAddress = macAddress;
+ var ipAddress = IPAddress.Parse(ipAddressIn.TrimStart('0'));
+ return ipAddress.ToString();
+ }
+ catch (Exception ex)
+ {
+ Debug.LogMessage(LogEventLevel.Information, "Unable to Santize Ip : {0}", ex.Message);
+ return ipAddressIn;
}
}
///
- /// Represents a ArpTableEventArgs
+ /// Resolves a hostname by IP Address using DNS
///
- public class ArpTableEventArgs : EventArgs
+ /// IP Address to resolve from
+ /// Resolved Hostname - on failure to determine hostname, will return IP Address
+ public static string ResolveHostnameFromIp(string ipAddress)
{
- ///
- /// The retrieved ARP Table
- ///
- public readonly List ArpTable;
- ///
- /// True if there was a problem retrieving the ARP Table
- ///
- public readonly bool Error;
-
- ///
- /// Constructor for ArpTableEventArgs
- ///
- /// The entirety of the retrieved ARP table
- /// True of an error was encountered updating the ARP table
- public ArpTableEventArgs(List arpTable, bool error)
+ try
{
- ArpTable = arpTable;
- Error = error;
+ var santitizedIp = SanitizeIpAddress(ipAddress);
+ var hostEntry = Dns.GetHostEntry(santitizedIp);
+ return hostEntry == null ? ipAddress : hostEntry.HostName;
}
-
- ///
- /// Constructor for ArpTableEventArgs - assumes no error encountered in retrieving ARP Table
- ///
- /// The entirety of the retrieved ARP table
- public ArpTableEventArgs(List arpTable)
+ catch (Exception ex)
{
- ArpTable = arpTable;
- Error = false;
+ Debug.LogMessage(LogEventLevel.Information, "Exception Resolving Hostname from IP Address : {0}", ex.Message);
+ return ipAddress;
}
}
+
+ ///
+ /// Resolves an IP Address by hostname using DNS
+ ///
+ /// Hostname to resolve from
+ /// Resolved IP Address - on a failure to determine IP Address, will return hostname
+ public static string ResolveIpFromHostname(string hostName)
+ {
+ try
+ {
+ var hostEntry = Dns.GetHostEntry(hostName);
+ return hostEntry == null ? hostName : hostEntry.AddressList.First().ToString();
+ }
+ catch (Exception ex)
+ {
+ Debug.LogMessage(LogEventLevel.Information, "Exception Resolving IP Address from Hostname : {0}", ex.Message);
+ return hostName;
+ }
+ }
+
+}
+
+///
+/// Object to hold data about an arp entry
+///
+public class ArpEntry
+{
+ public readonly IPAddress IpAddress;
+ public readonly string MacAddress;
+
+ ///
+ /// Constructs new ArpEntry object
+ ///
+ /// string formatted as ipv4 address
+ /// mac address string - format is unimportant
+ public ArpEntry(string ipAddress, string macAddress)
+ {
+ if (string.IsNullOrEmpty(ipAddress))
+ {
+ throw new ArgumentException("\"ipAddress\" cannot be null or empty");
+ }
+ if (string.IsNullOrEmpty(macAddress))
+ {
+ throw new ArgumentException("\"macAddress\" cannot be null or empty");
+ }
+ IpAddress = IPAddress.Parse(ipAddress.TrimStart().TrimStart('0').TrimEnd());
+ MacAddress = macAddress;
+ }
+}
+
+///
+/// Arguments passed by the ArpTableUpdated event
+///
+public class ArpTableEventArgs : EventArgs
+{
+ ///
+ /// The retrieved ARP Table
+ ///
+ public readonly List ArpTable;
+ ///
+ /// True if there was a problem retrieving the ARP Table
+ ///
+ public readonly bool Error;
+
+ ///
+ /// Constructor for ArpTableEventArgs
+ ///
+ /// The entirety of the retrieved ARP table
+ /// True of an error was encountered updating the ARP table
+ public ArpTableEventArgs(List arpTable, bool error)
+ {
+ ArpTable = arpTable;
+ Error = error;
+ }
+
+ ///
+ /// Constructor for ArpTableEventArgs - assumes no error encountered in retrieving ARP Table
+ ///
+ /// The entirety of the retrieved ARP table
+ public ArpTableEventArgs(List arpTable)
+ {
+ ArpTable = arpTable;
+ Error = false;
+ }
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IChannel.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IChannel.cs
index c8c54006..3dda43e4 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IChannel.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IChannel.cs
@@ -4,8 +4,8 @@ using Crestron.SimplSharpPro.DeviceSupport;
using PepperDash.Essentials.Core;
using PepperDash.Essentials.Core.SmartObjects;
-namespace PepperDash.Essentials.Core
-{
+namespace PepperDash.Essentials.Core;
+
///
/// Defines the contract for IChannel
///
@@ -79,5 +79,4 @@ namespace PepperDash.Essentials.Core
triList.ClearBoolSigAction(129);
triList.ClearBoolSigAction(134);
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IColorFunctions.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IColorFunctions.cs
index 69acc8f6..51f8e44a 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IColorFunctions.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IColorFunctions.cs
@@ -4,8 +4,8 @@ using Crestron.SimplSharpPro.DeviceSupport;
using PepperDash.Essentials.Core;
using PepperDash.Essentials.Core.SmartObjects;
-namespace PepperDash.Essentials.Core
-{
+namespace PepperDash.Essentials.Core;
+
///
/// IColor interface
///
@@ -66,5 +66,4 @@ namespace PepperDash.Essentials.Core
triList.ClearBoolSigAction(157);
triList.ClearBoolSigAction(158);
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDPad.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDPad.cs
index ec9362b8..9e26cd5a 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDPad.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDPad.cs
@@ -4,8 +4,8 @@ using PepperDash.Core;
using PepperDash.Essentials.Core;
using PepperDash.Essentials.Core.SmartObjects;
-namespace PepperDash.Essentials.Core
-{
+namespace PepperDash.Essentials.Core;
+
///
///
///
@@ -86,5 +86,4 @@ namespace PepperDash.Essentials.Core
triList.ClearBoolSigAction(130);
triList.ClearBoolSigAction(134);
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDiscPlayerControls.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDiscPlayerControls.cs
index 5deee690..b3d944e6 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDiscPlayerControls.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDiscPlayerControls.cs
@@ -3,14 +3,11 @@
using PepperDash.Essentials.Core;
using PepperDash.Essentials.Core.SmartObjects;
-namespace PepperDash.Essentials.Core
-{
+namespace PepperDash.Essentials.Core;
///
/// Defines the contract for IDiscPlayerControls
///
public interface IDiscPlayerControls : IColor, IDPad, INumericKeypad, IHasPowerControl, ITransport, IUiDisplayInfo
{
- }
-
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDisplay.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDisplay.cs
index af3428f6..3f38d4e4 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDisplay.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDisplay.cs
@@ -1,15 +1,14 @@
using PepperDash.Core;
-namespace PepperDash.Essentials.Core.DeviceTypeInterfaces
+namespace PepperDash.Essentials.Core.DeviceTypeInterfaces;
+
+///
+/// Interface for display devices that can be controlled and monitored.
+/// This interface combines functionality for feedback, routing, power control,
+/// warming/cooling, usage tracking, and key name management.
+/// It is designed to be implemented by devices that require these capabilities,
+/// such as projectors, displays, and other visual output devices.
+///
+public interface IDisplay : IHasFeedback, IRoutingSinkWithSwitching, IHasPowerControl, IWarmingCooling, IUsageTracking, IKeyName
{
- ///
- /// Interface for display devices that can be controlled and monitored.
- /// This interface combines functionality for feedback, routing, power control,
- /// warming/cooling, usage tracking, and key name management.
- /// It is designed to be implemented by devices that require these capabilities,
- /// such as projectors, displays, and other visual output devices.
- ///
- public interface IDisplay : IHasFeedback, IRoutingSinkWithSwitching, IHasPowerControl, IWarmingCooling, IUsageTracking, IKeyName
- {
- }
}
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDisplayBasic.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDisplayBasic.cs
index b76d3145..e744ac15 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDisplayBasic.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDisplayBasic.cs
@@ -1,14 +1,10 @@
using System;
-using System.Collections.Generic;
-using System.Linq;
-using System.Text;
-using Crestron.SimplSharp;
-
namespace PepperDash.Essentials.Core.Devices.DeviceTypeInterfaces
{
///
/// Defines the contract for IDisplayBasic
///
+ [Obsolete("This interface is no longer used and will be removed in a future version. Please use IDisplay instead.")]
public interface IDisplayBasic
{
///
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDumbSource.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDumbSource.cs
index 2f419498..ba7f1a43 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDumbSource.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDumbSource.cs
@@ -4,12 +4,11 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Essentials.Core
+namespace PepperDash.Essentials.Core;
+
+///
+/// Defines the contract for IDumbSource
+///
+public interface IDumbSource
{
- ///
- /// Defines the contract for IDumbSource
- ///
- public interface IDumbSource
- {
- }
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDvr.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDvr.cs
index 527e8d46..4397db50 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDvr.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IDvr.cs
@@ -9,8 +9,8 @@ using Crestron.SimplSharpPro.DeviceSupport;
using PepperDash.Essentials.Core;
using PepperDash.Essentials.Core.SmartObjects;
-namespace PepperDash.Essentials.Core
-{
+namespace PepperDash.Essentials.Core;
+
///
///
///
@@ -55,5 +55,4 @@ namespace PepperDash.Essentials.Core
triList.ClearBoolSigAction(136);
triList.ClearBoolSigAction(152);
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IEmergencyOSD.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IEmergencyOSD.cs
index efc068b0..66d74c3e 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IEmergencyOSD.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IEmergencyOSD.cs
@@ -1,25 +1,20 @@
-using System;
-using System.Collections.Generic;
-using System.Linq;
-using System.Text;
-using System.Threading.Tasks;
+namespace PepperDash.Essentials.Core.DeviceTypeInterfaces;
-namespace PepperDash.Essentials.Core.DeviceTypeInterfaces
+
+///
+/// Defines the contract for IEmergencyOSD
+///
+public interface IEmergencyOSD
{
///
- /// Defines the contract for IEmergencyOSD
+ /// Shows an emergency message on the OSD
///
- public interface IEmergencyOSD
- {
- ///
- /// Shows an emergency message on the OSD
- ///
- /// The URL of the emergency message to display
- void ShowEmergencyMessage(string url);
+ /// The URL of the emergency message to display
+ void ShowEmergencyMessage(string url);
- ///
- /// Hides the emergency message from the OSD
- ///
- void HideEmergencyMessage();
- }
+ ///
+ /// Hides the emergency message from the OSD
+ ///
+ void HideEmergencyMessage();
}
+
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasBranding.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasBranding.cs
index c05ef572..75f04156 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasBranding.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasBranding.cs
@@ -1,21 +1,18 @@
-using System;
+namespace PepperDash.Essentials.Core.DeviceTypeInterfaces;
-namespace PepperDash.Essentials.Core.DeviceTypeInterfaces
+///
+/// Defines the contract for IHasBranding
+///
+public interface IHasBranding
{
///
- /// Defines the contract for IHasBranding
+ /// Gets whether branding is enabled
///
- public interface IHasBranding
- {
- ///
- /// Gets whether branding is enabled
- ///
- bool BrandingEnabled { get; }
+ bool BrandingEnabled { get; }
- ///
- /// Initializes branding for the device
- ///
- /// The key identifying the room for branding purposes
- void InitializeBranding(string roomKey);
- }
-}
\ No newline at end of file
+ ///
+ /// Initializes branding for the device
+ ///
+ /// The key identifying the room for branding purposes
+ void InitializeBranding(string roomKey);
+}
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasFarEndContentStatus.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasFarEndContentStatus.cs
index 5a8f66ee..1595fa6e 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasFarEndContentStatus.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasFarEndContentStatus.cs
@@ -1,13 +1,13 @@
-namespace PepperDash.Essentials.Core.DeviceTypeInterfaces
+namespace PepperDash.Essentials.Core.DeviceTypeInterfaces;
+
+
+///
+/// Defines the contract for IHasFarEndContentStatus
+///
+public interface IHasFarEndContentStatus
{
///
- /// Defines the contract for IHasFarEndContentStatus
+ /// Gets whether far end content is being received
///
- public interface IHasFarEndContentStatus
- {
- ///
- /// Gets whether far end content is being received
- ///
- BoolFeedback ReceivingContent { get; }
- }
-}
\ No newline at end of file
+ BoolFeedback ReceivingContent { get; }
+}
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasInputs.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasInputs.cs
index 42e97b4b..d6fae39d 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasInputs.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasInputs.cs
@@ -1,19 +1,20 @@
using PepperDash.Core;
-namespace PepperDash.Essentials.Core.DeviceTypeInterfaces
+namespace PepperDash.Essentials.Core.DeviceTypeInterfaces;
+
+
+///
+/// Describes a device that has selectable inputs
+///
+/// the type to use as the key for each input item. Most likely an enum or string\
+///
+/// See MockDisplay for example implemntation
+///
+public interface IHasInputs : IKeyName
{
///
- /// Describes a device that has selectable inputs
+ /// Gets the collection of inputs
///
- /// the type to use as the key for each input item. Most likely an enum or string\
- ///
- /// See MockDisplay for example implemntation
- ///
- public interface IHasInputs : IKeyName
- {
- ///
- /// Gets the collection of inputs
- ///
- ISelectableItems Inputs { get; }
- }
+ ISelectableItems Inputs { get; }
}
+
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasPhoneDialing.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasPhoneDialing.cs
index b884092b..170b058d 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasPhoneDialing.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasPhoneDialing.cs
@@ -1,43 +1,40 @@
-using System;
-using PepperDash.Essentials.Core;
+namespace PepperDash.Essentials.Core.DeviceTypeInterfaces;
-namespace PepperDash.Essentials.Core.DeviceTypeInterfaces
+
+///
+/// Defines the contract for IHasPhoneDialing
+///
+public interface IHasPhoneDialing
{
///
- /// Defines the contract for IHasPhoneDialing
+ /// Feedback that indicates whether the phone is off-hook
///
- public interface IHasPhoneDialing
- {
- ///
- /// Feedback that indicates whether the phone is off-hook
- ///
- BoolFeedback PhoneOffHookFeedback { get; }
+ BoolFeedback PhoneOffHookFeedback { get; }
- ///
- /// Feedback that provides the caller ID name
- ///
- StringFeedback CallerIdNameFeedback { get; }
+ ///
+ /// Feedback that provides the caller ID name
+ ///
+ StringFeedback CallerIdNameFeedback { get; }
- ///
- /// Feedback that provides the caller ID number
- ///
- StringFeedback CallerIdNumberFeedback { get; }
+ ///
+ /// Feedback that provides the caller ID number
+ ///
+ StringFeedback CallerIdNumberFeedback { get; }
- ///
- /// Dials a phone call to the specified number
- ///
- /// the number to dial
- void DialPhoneCall(string number);
+ ///
+ /// Dials a phone call to the specified number
+ ///
+ /// the number to dial
+ void DialPhoneCall(string number);
- ///
- /// Ends the current phone call
- ///
- void EndPhoneCall();
+ ///
+ /// Ends the current phone call
+ ///
+ void EndPhoneCall();
- ///
- /// Sends a DTMF digit to the phone
- ///
- /// the DTMF digit to send
- void SendDtmfToPhone(string digit);
- }
-}
\ No newline at end of file
+ ///
+ /// Sends a DTMF digit to the phone
+ ///
+ /// the DTMF digit to send
+ void SendDtmfToPhone(string digit);
+}
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasScreensWithLayouts.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasScreensWithLayouts.cs
index 439462c6..2a67e39b 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasScreensWithLayouts.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasScreensWithLayouts.cs
@@ -5,103 +5,102 @@ using System.Linq;
using System.Text;
using System.Threading.Tasks;
-namespace PepperDash.Essentials.Core.DeviceTypeInterfaces
+namespace PepperDash.Essentials.Core.DeviceTypeInterfaces;
+
+///
+/// This defines a device that has screens with layouts
+/// Simply decorative
+///
+public interface IHasScreensWithLayouts
{
///
- /// This defines a device that has screens with layouts
- /// Simply decorative
+ /// A dictionary of screens, keyed by screen ID, that contains information about each screen and its layouts.
///
- public interface IHasScreensWithLayouts
- {
- ///
- /// A dictionary of screens, keyed by screen ID, that contains information about each screen and its layouts.
- ///
- Dictionary Screens { get; }
-
- ///
- /// Applies a specific layout to a screen based on the provided screen ID and layout index.
- ///
- ///
- ///
- void ApplyLayout(uint screenId, uint layoutIndex);
- }
+ Dictionary Screens { get; }
///
- /// Represents information about a screen and its layouts.
+ /// Applies a specific layout to a screen based on the provided screen ID and layout index.
///
- public class ScreenInfo
- {
-
- ///
- /// Indicates whether the screen is enabled or not.
- ///
- [JsonProperty("enabled")]
- public bool Enabled { get; set; }
-
- ///
- /// The name of the screen.
- ///
- [JsonProperty("name")]
- public string Name { get; set; }
-
- ///
- /// The index of the screen.
- ///
- [JsonProperty("screenIndex")]
- public int ScreenIndex { get; set; }
-
- ///
- /// A dictionary of layout information for the screen, keyed by layout ID.
- ///
- [JsonProperty("layouts")]
- public Dictionary Layouts { get; set; }
- }
-
- ///
- /// Represents information about a layout on a screen.
- ///
- public class LayoutInfo
- {
- ///
- /// The name of the layout.
- ///
- [JsonProperty("layoutName")]
- public string LayoutName { get; set; }
-
- ///
- /// The index of the layout.
- ///
- [JsonProperty("layoutIndex")]
- public int LayoutIndex { get; set; }
-
- ///
- /// The type of the layout, which can be "single", "double", "triple", or "quad".
- ///
- [JsonProperty("layoutType")]
- public string LayoutType { get; set; }
-
- ///
- /// A dictionary of window configurations for the layout, keyed by window ID.
- ///
- [JsonProperty("windows")]
- public Dictionary Windows { get; set; }
- }
-
- ///
- /// Represents the configuration of a window within a layout on a screen.
- ///
- public class WindowConfig
- {
- ///
- /// The display label for the window
- ///
- [JsonProperty("label")]
- public string Label { get; set; }
-
- ///
- /// The input for the window
- ///
- [JsonProperty("input")]
- public string Input { get; set; }
- }
+ ///
+ ///
+ void ApplyLayout(uint screenId, uint layoutIndex);
+}
+
+///
+/// Represents information about a screen and its layouts.
+///
+public class ScreenInfo
+{
+
+ ///
+ /// Indicates whether the screen is enabled or not.
+ ///
+ [JsonProperty("enabled")]
+ public bool Enabled { get; set; }
+
+ ///
+ /// The name of the screen.
+ ///
+ [JsonProperty("name")]
+ public string Name { get; set; }
+
+ ///
+ /// The index of the screen.
+ ///
+ [JsonProperty("screenIndex")]
+ public int ScreenIndex { get; set; }
+
+ ///
+ /// A dictionary of layout information for the screen, keyed by layout ID.
+ ///
+ [JsonProperty("layouts")]
+ public Dictionary Layouts { get; set; }
+}
+
+///
+/// Represents information about a layout on a screen.
+///
+public class LayoutInfo
+{
+ ///
+ /// The name of the layout.
+ ///
+ [JsonProperty("layoutName")]
+ public string LayoutName { get; set; }
+
+ ///
+ /// The index of the layout.
+ ///
+ [JsonProperty("layoutIndex")]
+ public int LayoutIndex { get; set; }
+
+ ///
+ /// The type of the layout, which can be "single", "double", "triple", or "quad".
+ ///
+ [JsonProperty("layoutType")]
+ public string LayoutType { get; set; }
+
+ ///
+ /// A dictionary of window configurations for the layout, keyed by window ID.
+ ///
+ [JsonProperty("windows")]
+ public Dictionary Windows { get; set; }
+}
+
+///
+/// Represents the configuration of a window within a layout on a screen.
+///
+public class WindowConfig
+{
+ ///
+ /// The display label for the window
+ ///
+ [JsonProperty("label")]
+ public string Label { get; set; }
+
+ ///
+ /// The input for the window
+ ///
+ [JsonProperty("input")]
+ public string Input { get; set; }
}
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasSurroundSoundModes.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasSurroundSoundModes.cs
index 45b24f8b..2a50dd0f 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasSurroundSoundModes.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasSurroundSoundModes.cs
@@ -1,9 +1,4 @@
using PepperDash.Core;
-using System;
-using System.Collections.Generic;
-using System.Linq;
-using System.Text;
-using System.Threading.Tasks;
namespace PepperDash.Essentials.Core.DeviceTypeInterfaces
{
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasWebView.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasWebView.cs
index 396229ce..d1ae55bd 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasWebView.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHasWebView.cs
@@ -1,87 +1,84 @@
using System;
-using System.Collections.Generic;
-using System.Linq;
-using System.Text;
-using System.Threading.Tasks;
-namespace PepperDash.Essentials.Core.DeviceTypeInterfaces
+namespace PepperDash.Essentials.Core.DeviceTypeInterfaces;
+
+
+///
+/// Defines the contract for IHasWebView
+///
+public interface IHasWebView
{
///
- /// Defines the contract for IHasWebView
+ /// Indicates whether the webview is currently visible
///
- public interface IHasWebView
- {
- ///
- /// Indicates whether the webview is currently visible
- ///
- bool WebviewIsVisible { get; }
-
- ///
- /// Shows the webview with the specified parameters
- ///
- /// the URL to display in the webview
- /// the display mode for the webview
- /// the title to display on the webview
- /// the target for the webview
- void ShowWebView(string url, string mode, string title, string target);
-
- ///
- /// Hides the webview
- ///
- void HideWebView();
-
- ///
- /// Event raised when the webview status changes
- ///
- event EventHandler WebViewStatusChanged;
- }
-
+ bool WebviewIsVisible { get; }
///
- /// Defines the contract for IHasWebViewWithPwaMode
+ /// Shows the webview with the specified parameters
///
- public interface IHasWebViewWithPwaMode : IHasWebView
- {
- ///
- /// Indicates whether the webview is currently in PWA mode
- ///
- bool IsInPwaMode { get; }
-
- ///
- /// Gets the BoolFeedback indicating whether the webview is currently in PWA mode
- ///
- BoolFeedback IsInPwaModeFeedback { get; }
-
- ///
- /// Sends navigators to the specified PWA URL. Accepts an absolute URL or a relative URL for a mobile control app
- ///
- /// The URL to navigate to
- void SendNavigatorsToPwaUrl(string url);
-
- ///
- /// Exits navigators from PWA mode
- ///
- void ExitNavigatorsPwaMode();
- }
-
+ /// the URL to display in the webview
+ /// the display mode for the webview
+ /// the title to display on the webview
+ /// the target for the webview
+ void ShowWebView(string url, string mode, string title, string target);
///
- /// Represents a WebViewStatusChangedEventArgs
+ /// Hides the webview
///
- public class WebViewStatusChangedEventArgs : EventArgs
- {
- ///
- /// Gets or sets the Status
- ///
- public string Status { get; }
+ void HideWebView();
- ///
- /// Constructor for WebViewStatusChangedEventArgs
- ///
- /// the new status of the webview
- public WebViewStatusChangedEventArgs(string status)
- {
- Status = status;
- }
+ ///
+ /// Event raised when the webview status changes
+ ///
+ event EventHandler WebViewStatusChanged;
+}
+
+
+///
+/// Defines the contract for IHasWebViewWithPwaMode
+///
+public interface IHasWebViewWithPwaMode : IHasWebView
+{
+ ///
+ /// Indicates whether the webview is currently in PWA mode
+ ///
+ bool IsInPwaMode { get; }
+
+ ///
+ /// Gets the BoolFeedback indicating whether the webview is currently in PWA mode
+ ///
+ BoolFeedback IsInPwaModeFeedback { get; }
+
+ ///
+ /// Sends navigators to the specified PWA URL. Accepts an absolute URL or a relative URL for a mobile control app
+ ///
+ /// The URL to navigate to
+ void SendNavigatorsToPwaUrl(string url);
+
+ ///
+ /// Exits navigators from PWA mode
+ ///
+ void ExitNavigatorsPwaMode();
+}
+
+
+///
+/// Represents a WebViewStatusChangedEventArgs
+///
+public class WebViewStatusChangedEventArgs : EventArgs
+{
+ ///
+ /// Gets or sets the Status
+ ///
+ public string Status { get; }
+
+ ///
+ /// Constructor for WebViewStatusChangedEventArgs
+ ///
+ /// the new status of the webview
+ public WebViewStatusChangedEventArgs(string status)
+ {
+ Status = status;
}
}
+
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHumiditySensor.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHumiditySensor.cs
index 748fb860..f28059c3 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHumiditySensor.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IHumiditySensor.cs
@@ -1,9 +1,4 @@
-using System;
-using System.Collections.Generic;
-using System.Linq;
-using System.Text;
-using System.Threading.Tasks;
-
+
namespace PepperDash.Essentials.Core.DeviceTypeInterfaces
{
///
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ILanguageDefinition.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ILanguageDefinition.cs
index f02c0e05..4cdffc83 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ILanguageDefinition.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ILanguageDefinition.cs
@@ -1,56 +1,57 @@
using System;
using System.Collections.Generic;
-namespace PepperDash.Essentials.Core.DeviceTypeInterfaces
+namespace PepperDash.Essentials.Core.DeviceTypeInterfaces;
+
+
+///
+/// Defines the contract for ILanguageDefinition
+///
+public interface ILanguageDefinition
{
///
- /// Defines the contract for ILanguageDefinition
+ /// The locale name for the language definition
///
- public interface ILanguageDefinition
- {
- ///
- /// The locale name for the language definition
- ///
- string LocaleName { get; set; }
+ string LocaleName { get; set; }
- ///
- /// The friendly name for the language definition
- ///
- string FriendlyName { get; set; }
+ ///
+ /// The friendly name for the language definition
+ ///
+ string FriendlyName { get; set; }
- ///
- /// Indicates whether the language definition is enabled
- ///
- bool Enable { get; set; }
+ ///
+ /// Indicates whether the language definition is enabled
+ ///
+ bool Enable { get; set; }
- ///
- /// The UI labels for the language definition
- ///
- List UiLabels { get; set; }
+ ///
+ /// The UI labels for the language definition
+ ///
+ List UiLabels { get; set; }
- ///
- /// The source and destination labels for the language definition
- ///
- List Sources { get; set; }
+ ///
+ /// The source and destination labels for the language definition
+ ///
+ List Sources { get; set; }
- ///
- /// The destination labels for the language definition
- ///
- List Destinations { get; set; }
+ ///
+ /// The destination labels for the language definition
+ ///
+ List Destinations { get; set; }
- ///
- /// The source group names for the language definition
- ///
- List SourceGroupNames { get; set; }
+ ///
+ /// The source group names for the language definition
+ ///
+ List SourceGroupNames { get; set; }
- ///
- /// The destination group names for the language definition
- ///
- List DestinationGroupNames { get; set; }
+ ///
+ /// The destination group names for the language definition
+ ///
+ List DestinationGroupNames { get; set; }
- ///
- /// The room names for the language definition
- ///
- List RoomNames { get; set; }
- }
+ ///
+ /// The room names for the language definition
+ ///
+ List RoomNames { get; set; }
}
+
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ILanguageProvider.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ILanguageProvider.cs
index 9ac22d2b..ac9544ea 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ILanguageProvider.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ILanguageProvider.cs
@@ -1,22 +1,21 @@
using System;
-namespace PepperDash.Essentials.Core.DeviceTypeInterfaces
+namespace PepperDash.Essentials.Core.DeviceTypeInterfaces;
+
+///
+/// Defines the contract for ILanguageProvider
+///
+public interface ILanguageProvider
{
-
///
- /// Defines the contract for ILanguageProvider
+ /// The current language definition
///
- public interface ILanguageProvider
- {
- ///
- /// The current language definition
- ///
- ILanguageDefinition CurrentLanguage { get; set; }
-
- ///
- /// Event raised when the current language changes
- ///
- event EventHandler CurrentLanguageChanged;
- }
+ ILanguageDefinition CurrentLanguage { get; set; }
+ ///
+ /// Event raised when the current language changes
+ ///
+ event EventHandler CurrentLanguageChanged;
}
+
+
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ILevelControls.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ILevelControls.cs
index e0a1081f..d4876e3c 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ILevelControls.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ILevelControls.cs
@@ -4,16 +4,17 @@ using System.Linq;
using System.Text;
using System.Threading.Tasks;
-namespace PepperDash.Essentials.Core.DeviceTypeInterfaces
+namespace PepperDash.Essentials.Core.DeviceTypeInterfaces;
+
+
+///
+/// Defines the contract for ILevelControls
+///
+public interface ILevelControls
{
///
- /// Defines the contract for ILevelControls
+ /// The level control points
///
- public interface ILevelControls
- {
- ///
- /// The level control points
- ///
- Dictionary LevelControlPoints { get; }
- }
+ Dictionary LevelControlPoints { get; }
}
+
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IMobileControl.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IMobileControl.cs
index 0b1760fa..f920e5fe 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IMobileControl.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IMobileControl.cs
@@ -2,71 +2,70 @@
using Newtonsoft.Json.Linq;
using PepperDash.Core;
-namespace PepperDash.Essentials.Core.DeviceTypeInterfaces
+namespace PepperDash.Essentials.Core.DeviceTypeInterfaces;
+
+
+///
+/// Defines the contract for IMobileControl
+///
+public interface IMobileControl : IKeyed
{
+ ///
+ /// Gets the Host
+ ///
+ string Host { get; }
///
- /// Defines the contract for IMobileControl
+ /// Gets the Client App URL
///
- public interface IMobileControl : IKeyed
- {
- ///
- /// Gets the Host
- ///
- string Host { get; }
+ string ClientAppUrl { get; }
- ///
- /// Gets the Client App URL
- ///
- string ClientAppUrl { get; }
+ ///
+ /// Gets the System UUID
+ ///
+ string SystemUuid { get; }
- ///
- /// Gets the System UUID
- ///
- string SystemUuid { get; }
+ ///
+ /// Gets the ApiOnlineAndAuthorized feedback
+ ///
+ BoolFeedback ApiOnlineAndAuthorized { get; }
- ///
- /// Gets the ApiOnlineAndAuthorized feedback
- ///
- BoolFeedback ApiOnlineAndAuthorized { get; }
+ ///
+ /// Sends the message object to the AppServer
+ ///
+ /// Message to send
+ void SendMessageObject(IMobileControlMessage o);
- ///
- /// Sends the message object to the AppServer
- ///
- /// Message to send
- void SendMessageObject(IMobileControlMessage o);
+ ///
+ /// Adds an action for a messenger
+ ///
+ /// Messenger type. Must implement IMobileControlMessenger
+ /// messenger to register
+ /// action to add
+ void AddAction(T messenger, Action action) where T : IMobileControlMessenger;
- ///
- /// Adds an action for a messenger
- ///
- /// Messenger type. Must implement IMobileControlMessenger
- /// messenger to register
- /// action to add
- void AddAction(T messenger, Action action) where T : IMobileControlMessenger;
+ ///
+ /// Removes an action for a messenger
+ ///
+ /// key for action
+ void RemoveAction(string key);
- ///
- /// Removes an action for a messenger
- ///
- /// key for action
- void RemoveAction(string key);
+ ///
+ /// Adds a device messenger
+ ///
+ /// Messenger to add
+ void AddDeviceMessenger(IMobileControlMessenger messenger);
- ///
- /// Adds a device messenger
- ///
- /// Messenger to add
- void AddDeviceMessenger(IMobileControlMessenger messenger);
+ ///
+ /// Check if a device messenger exists
+ ///
+ /// Messenger key to find
+ bool CheckForDeviceMessenger(string key);
- ///
- /// Check if a device messenger exists
- ///
- /// Messenger key to find
- bool CheckForDeviceMessenger(string key);
-
- ///
- /// Get a Room Messenger by key
- ///
- /// messenger key to find
- /// Messenger if found, null otherwise
- IMobileControlRoomMessenger GetRoomMessenger(string key);
- }
-}
\ No newline at end of file
+ ///
+ /// Get a Room Messenger by key
+ ///
+ /// messenger key to find
+ /// Messenger if found, null otherwise
+ IMobileControlRoomMessenger GetRoomMessenger(string key);
+}
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IPasswordPrompt.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IPasswordPrompt.cs
index 2ee85341..a068ba19 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IPasswordPrompt.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IPasswordPrompt.cs
@@ -4,63 +4,62 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Essentials.Core
+namespace PepperDash.Essentials.Core;
+
+///
+/// Describes the functionality required to prompt a user to enter a password
+///
+public interface IPasswordPrompt
{
///
- /// Describes the functionality required to prompt a user to enter a password
+ /// Notifies when a password is required or is entered incorrectly
///
- public interface IPasswordPrompt
- {
- ///
- /// Notifies when a password is required or is entered incorrectly
- ///
- event EventHandler PasswordRequired;
-
- ///
- /// Submits the password
- ///
- /// The password to submit
- void SubmitPassword(string password);
- }
+ event EventHandler PasswordRequired;
///
- /// PasswordPromptEventArgs class
+ /// Submits the password
///
- public class PasswordPromptEventArgs : EventArgs
+ ///
+ void SubmitPassword(string password);
+}
+
+///
+/// Event args for password prompt events
+///
+public class PasswordPromptEventArgs : EventArgs
+{
+ ///
+ /// Indicates if the last submitted password was incorrect
+ ///
+ public bool LastAttemptWasIncorrect { get; private set; }
+
+ ///
+ /// Indicates that the login attempt has failed
+ ///
+ public bool LoginAttemptFailed { get; private set; }
+
+ ///
+ /// Indicates that the process was cancelled and the prompt should be dismissed
+ ///
+ public bool LoginAttemptCancelled { get; private set; }
+
+ ///
+ /// A message to be displayed to the user
+ ///
+ public string Message { get; private set; }
+
+ ///
+ /// Constructor for password prompt event args
+ ///
+ /// Indicates if the last submitted password was incorrect
+ /// Indicates that the login attempt has failed
+ /// Indicates that the process was cancelled and the prompt should be dismissed
+ /// A message to be displayed to the user
+ public PasswordPromptEventArgs(bool lastAttemptIncorrect, bool loginFailed, bool loginCancelled, string message)
{
- ///
- /// Indicates if the last submitted password was incorrect
- ///
- public bool LastAttemptWasIncorrect { get; private set; }
-
- ///
- /// Gets or sets the LoginAttemptFailed
- ///
- public bool LoginAttemptFailed { get; private set; }
-
- ///
- /// Gets or sets the LoginAttemptCancelled
- ///
- public bool LoginAttemptCancelled { get; private set; }
-
- ///
- /// Gets or sets the Message
- ///
- public string Message { get; private set; }
-
- ///
- /// Constructor
- ///
- /// indicates if the last submitted password was incorrect
- /// indicates if the login attempt failed
- /// indicates if the login attempt was cancelled
- /// provides a message related to the password prompt
- public PasswordPromptEventArgs(bool lastAttemptIncorrect, bool loginFailed, bool loginCancelled, string message)
- {
- LastAttemptWasIncorrect = lastAttemptIncorrect;
- LoginAttemptFailed = loginFailed;
- LoginAttemptCancelled = loginCancelled;
- Message = message;
- }
+ LastAttemptWasIncorrect = lastAttemptIncorrect;
+ LoginAttemptFailed = loginFailed;
+ LoginAttemptCancelled = loginCancelled;
+ Message = message;
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IPower.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IPower.cs
index b94a64ed..a94dfe12 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IPower.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IPower.cs
@@ -1,86 +1,77 @@
-using System;
-using System.Collections.Generic;
-using System.Linq;
-using System.Text;
-using Crestron.SimplSharp;
-using Crestron.SimplSharpPro;
-using Crestron.SimplSharpPro.DeviceSupport;
-using Crestron.SimplSharpPro.Fusion;
+using Crestron.SimplSharpPro.DeviceSupport;
+namespace PepperDash.Essentials.Core;
-using PepperDash.Essentials.Core;
-using PepperDash.Essentials.Core.SmartObjects;
+///
+/// Adds feedback for current power state
+///
+public interface IHasPowerControlWithFeedback : IHasPowerControl
+{
+ ///
+ /// Feedback indicating whether the device is powered on
+ ///
+ BoolFeedback PowerIsOnFeedback { get; }
+}
-namespace PepperDash.Essentials.Core
+
+///
+/// Defines the ability to power a device on and off
+///
+public interface IHasPowerControl
+{
+ ///
+ /// Powers the device on
+ ///
+ void PowerOn();
+
+ ///
+ /// Powers the device off
+ ///
+ void PowerOff();
+
+ ///
+ /// Toggles the power state of the device
+ ///
+ void PowerToggle();
+}
+
+
+
+///
+/// IHasPowerControlExtensions class
+///
+public static class IHasPowerControlExtensions
{
///
- /// Adds feedback for current power state
+ /// LinkButtons method
///
- public interface IHasPowerControlWithFeedback : IHasPowerControl
+ public static void LinkButtons(this IHasPowerControl dev, BasicTriList triList)
{
- ///
- /// Feedback indicating whether the device is powered on
- ///
- BoolFeedback PowerIsOnFeedback { get; }
+ triList.SetSigFalseAction(101, dev.PowerOn);
+ triList.SetSigFalseAction(102, dev.PowerOff);
+ triList.SetSigFalseAction(103, dev.PowerToggle);
+
+ var fbdev = dev as IHasPowerControlWithFeedback;
+ if (fbdev != null)
+ {
+ fbdev.PowerIsOnFeedback.LinkInputSig(triList.BooleanInput[101]);
+ }
}
///
- /// Defines the ability to power a device on and off
+ /// UnlinkButtons method
///
- public interface IHasPowerControl
+ public static void UnlinkButtons(this IHasPowerControl dev, BasicTriList triList)
{
- ///
- /// Powers the device on
- ///
- void PowerOn();
+ triList.ClearBoolSigAction(101);
+ triList.ClearBoolSigAction(102);
+ triList.ClearBoolSigAction(103);
- ///
- /// Powers the device off
- ///
- void PowerOff();
-
- ///
- /// Toggles the power state of the device
- ///
- void PowerToggle();
+ var fbdev = dev as IHasPowerControlWithFeedback;
+ if (fbdev != null)
+ {
+ fbdev.PowerIsOnFeedback.UnlinkInputSig(triList.BooleanInput[101]);
+ }
}
-
- ///
- /// IHasPowerControlExtensions class
- ///
- public static class IHasPowerControlExtensions
- {
- ///
- /// LinkButtons method
- ///
- public static void LinkButtons(this IHasPowerControl dev, BasicTriList triList)
- {
- triList.SetSigFalseAction(101, dev.PowerOn);
- triList.SetSigFalseAction(102, dev.PowerOff);
- triList.SetSigFalseAction(103, dev.PowerToggle);
-
- var fbdev = dev as IHasPowerControlWithFeedback;
- if (fbdev != null)
- {
- fbdev.PowerIsOnFeedback.LinkInputSig(triList.BooleanInput[101]);
- }
- }
-
- ///
- /// UnlinkButtons method
- ///
- public static void UnlinkButtons(this IHasPowerControl dev, BasicTriList triList)
- {
- triList.ClearBoolSigAction(101);
- triList.ClearBoolSigAction(102);
- triList.ClearBoolSigAction(103);
-
- var fbdev = dev as IHasPowerControlWithFeedback;
- if (fbdev != null)
- {
- fbdev.PowerIsOnFeedback.UnlinkInputSig(triList.BooleanInput[101]);
- }
- }
- }
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IProjectorScreenLiftControl.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IProjectorScreenLiftControl.cs
index 56aef09e..efa3a0c4 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IProjectorScreenLiftControl.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IProjectorScreenLiftControl.cs
@@ -3,8 +3,8 @@ using System;
using Newtonsoft.Json;
using Newtonsoft.Json.Converters;
-namespace PepperDash.Essentials.Core.DeviceTypeInterfaces
-{
+namespace PepperDash.Essentials.Core.DeviceTypeInterfaces;
+
///
/// Defines the contract for IProjectorScreenLiftControl
///
@@ -60,5 +60,4 @@ namespace PepperDash.Essentials.Core.DeviceTypeInterfaces
/// Screen type device
///
screen
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ISelectableItem.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ISelectableItem.cs
index ff05188e..410cf563 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ISelectableItem.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ISelectableItem.cs
@@ -2,28 +2,28 @@
using Newtonsoft.Json;
using PepperDash.Core;
-namespace PepperDash.Essentials.Core.DeviceTypeInterfaces
+namespace PepperDash.Essentials.Core.DeviceTypeInterfaces;
+
+
+
+///
+/// Defines the contract for ISelectableItem
+///
+public interface ISelectableItem : IKeyName
{
+ ///
+ /// Raised when the item is updated
+ ///
+ event EventHandler ItemUpdated;
///
- /// Defines the contract for ISelectableItem
+ /// Gets or sets whether the item is selected
///
- public interface ISelectableItem : IKeyName
- {
- ///
- /// Raised when the item is updated
- ///
- event EventHandler ItemUpdated;
+ [JsonProperty("isSelected")]
+ bool IsSelected { get; set; }
- ///
- /// Gets or sets whether the item is selected
- ///
- [JsonProperty("isSelected")]
- bool IsSelected { get; set; }
-
- ///
- /// Selects the item
- ///
- void Select();
- }
-}
\ No newline at end of file
+ ///
+ /// Selects the item
+ ///
+ void Select();
+}
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ISelectableItems.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ISelectableItems.cs
index c955a56f..94a03a51 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ISelectableItems.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ISelectableItems.cs
@@ -2,42 +2,41 @@
using System;
using System.Collections.Generic;
-namespace PepperDash.Essentials.Core.DeviceTypeInterfaces
+namespace PepperDash.Essentials.Core.DeviceTypeInterfaces;
+
+
+///
+/// Defines the contract for ISelectableItems
+///
+public interface ISelectableItems where TValue : ISelectableItem
{
///
- /// Defines the contract for ISelectableItems
+ /// Raised when the items are updated
///
- public interface ISelectableItems where TValue : ISelectableItem
- {
- ///
- /// Raised when the items are updated
- ///
- event EventHandler ItemsUpdated;
-
- ///
- /// Raised when the current item changes
- ///
- event EventHandler CurrentItemChanged;
-
- ///
- /// Gets or sets the collection of selectable items
- ///
- [JsonProperty("items")]
- Dictionary Items { get; set; }
-
- ///
- /// Gets or sets the current selected item key
- ///
- [JsonProperty("currentItem")]
- TKey CurrentItem { get; set; }
-
- }
+ event EventHandler ItemsUpdated;
///
- /// Describes a collection of items that can be selected
+ /// Raised when the current item changes
///
- /// type for the keys in the collection. Probably a string or enum
- public interface ISelectableItems : ISelectableItems
- {
- }
+ event EventHandler CurrentItemChanged;
+
+ ///
+ /// Gets or sets the collection of selectable items
+ ///
+ [JsonProperty("items")]
+ Dictionary Items { get; set; }
+
+ ///
+ /// Gets or sets the current selected item key
+ ///
+ [JsonProperty("currentItem")]
+ TKey CurrentItem { get; set; }
+}
+
+///
+/// Describes a collection of items that can be selected
+///
+/// type for the keys in the collection. Probably a string or enum
+public interface ISelectableItems : ISelectableItems
+{
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ISetTopBoxControls.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ISetTopBoxControls.cs
index d8bf969e..e195f16f 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ISetTopBoxControls.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ISetTopBoxControls.cs
@@ -3,8 +3,8 @@
using PepperDash.Essentials.Core;
using PepperDash.Essentials.Core.SmartObjects;
-namespace PepperDash.Essentials.Core
-{
+namespace PepperDash.Essentials.Core;
+
///
/// Defines the contract for ISetTopBoxControls
///
@@ -81,5 +81,4 @@ namespace PepperDash.Essentials.Core
triList.ClearBoolSigAction(136);
triList.ClearBoolSigAction(152);
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ITemperatureSensor.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ITemperatureSensor.cs
index 897855b4..e6b09f8b 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ITemperatureSensor.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ITemperatureSensor.cs
@@ -1,31 +1,26 @@
-using System;
-using System.Collections.Generic;
-using System.Linq;
-using System.Text;
-using System.Threading.Tasks;
+namespace PepperDash.Essentials.Core.DeviceTypeInterfaces;
-namespace PepperDash.Essentials.Core.DeviceTypeInterfaces
+
+///
+/// Defines the contract for ITemperatureSensor
+///
+public interface ITemperatureSensor
{
///
- /// Defines the contract for ITemperatureSensor
+ /// The values will range from -400 to +1760 (for -40° to +176° F) or -400 to +800
+ /// (for -40° to +80° C)in tenths of a degree.
///
- public interface ITemperatureSensor
- {
- ///
- /// The values will range from -400 to +1760 (for -40° to +176° F) or -400 to +800
- /// (for -40° to +80° C)in tenths of a degree.
- ///
- IntFeedback TemperatureFeedback { get; }
+ IntFeedback TemperatureFeedback { get; }
- ///
- /// The temperature in Celsius format
- ///
- BoolFeedback TemperatureInCFeedback { get; }
+ ///
+ /// The temperature in Celsius format
+ ///
+ BoolFeedback TemperatureInCFeedback { get; }
- ///
- /// Sets the temperature format to Celsius or Fahrenheit
- ///
- /// If true, sets the format to Celsius; otherwise, sets it to Fahrenheit.
- void SetTemperatureFormat(bool setToC);
- }
+ ///
+ /// Sets the temperature format to Celsius or Fahrenheit
+ ///
+ /// If true, sets the format to Celsius; otherwise, sets it to Fahrenheit.
+ void SetTemperatureFormat(bool setToC);
}
+
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ITransport.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ITransport.cs
index 917a4b19..4ff2d6ab 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ITransport.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ITransport.cs
@@ -1,98 +1,97 @@
using Crestron.SimplSharpPro.DeviceSupport;
-namespace PepperDash.Essentials.Core
+namespace PepperDash.Essentials.Core;
+
+///
+/// Defines the contract for ITransport
+///
+public interface ITransport
{
- ///
- /// Defines the contract for ITransport
- ///
- public interface ITransport
+ ///
+ /// Play button action
+ ///
+ /// determines if the button action is a press or release
+ void Play(bool pressRelease);
+
+ ///
+ /// Pause button action
+ ///
+ /// determines if the button action is a press or release
+ void Pause(bool pressRelease);
+
+ ///
+ /// Rewind button action
+ ///
+ /// determines if the button action is a press or release
+ void Rewind(bool pressRelease);
+
+ ///
+ /// Fast Forward button action
+ ///
+ /// determines if the button action is a press or release
+ void FFwd(bool pressRelease);
+
+ ///
+ /// Chapter Minus button action
+ ///
+ /// determines if the button action is a press or release
+ void ChapMinus(bool pressRelease);
+
+ ///
+ /// Chapter Plus button action
+ ///
+ /// determines if the button action is a press or release
+ void ChapPlus(bool pressRelease);
+
+ ///
+ /// Stop button action
+ ///
+ /// determines if the button action is a press or release
+ void Stop(bool pressRelease);
+
+ ///
+ /// Record button action
+ ///
+ /// determines if the button action is a press or release
+ void Record(bool pressRelease);
+}
+
+///
+/// ITransportExtensions class
+///
+public static class ITransportExtensions
+{
+ ///
+ /// Attaches to trilist joins: Play:145, Pause:146, Stop:147, ChapPlus:148, ChapMinus:149, Rewind:150, Ffwd:151, Record:154
+ ///
+ /// The ITransport device
+ /// The BasicTriList to link buttons to
+ public static void LinkButtons(this ITransport dev, BasicTriList triList)
{
- ///
- /// Play button action
- ///
- /// determines if the button action is a press or release
- void Play(bool pressRelease);
-
- ///
- /// Pause button action
- ///
- /// determines if the button action is a press or release
- void Pause(bool pressRelease);
-
- ///
- /// Rewind button action
- ///
- /// determines if the button action is a press or release
- void Rewind(bool pressRelease);
-
- ///
- /// Fast Forward button action
- ///
- /// determines if the button action is a press or release
- void FFwd(bool pressRelease);
-
- ///
- /// Chapter Minus button action
- ///
- /// determines if the button action is a press or release
- void ChapMinus(bool pressRelease);
-
- ///
- /// Chapter Plus button action
- ///
- /// determines if the button action is a press or release
- void ChapPlus(bool pressRelease);
-
- ///
- /// Stop button action
- ///
- /// determines if the button action is a press or release
- void Stop(bool pressRelease);
-
- ///
- /// Record button action
- ///
- /// determines if the button action is a press or release
- void Record(bool pressRelease);
+ triList.SetBoolSigAction(145, dev.Play);
+ triList.SetBoolSigAction(146, dev.Pause);
+ triList.SetBoolSigAction(147, dev.Stop);
+ triList.SetBoolSigAction(148, dev.ChapPlus);
+ triList.SetBoolSigAction(149, dev.ChapMinus);
+ triList.SetBoolSigAction(150, dev.Rewind);
+ triList.SetBoolSigAction(151, dev.FFwd);
+ triList.SetBoolSigAction(154, dev.Record);
}
///
- /// ITransportExtensions class
+ /// UnlinkButtons method
///
- public static class ITransportExtensions
+ /// The ITransport device
+ /// The BasicTriList to unlink buttons from
+ public static void UnlinkButtons(this ITransport dev, BasicTriList triList)
{
- ///
- /// Attaches to trilist joins: Play:145, Pause:146, Stop:147, ChapPlus:148, ChapMinus:149, Rewind:150, Ffwd:151, Record:154
- ///
- /// The ITransport device
- /// The BasicTriList to link buttons to
- public static void LinkButtons(this ITransport dev, BasicTriList triList)
- {
- triList.SetBoolSigAction(145, dev.Play);
- triList.SetBoolSigAction(146, dev.Pause);
- triList.SetBoolSigAction(147, dev.Stop);
- triList.SetBoolSigAction(148, dev.ChapPlus);
- triList.SetBoolSigAction(149, dev.ChapMinus);
- triList.SetBoolSigAction(150, dev.Rewind);
- triList.SetBoolSigAction(151, dev.FFwd);
- triList.SetBoolSigAction(154, dev.Record);
- }
-
- ///
- /// UnlinkButtons method
- ///
- /// The ITransport device
- /// The BasicTriList to unlink buttons from
- public static void UnlinkButtons(this ITransport dev, BasicTriList triList)
- {
- triList.ClearBoolSigAction(145);
- triList.ClearBoolSigAction(146);
- triList.ClearBoolSigAction(147);
- triList.ClearBoolSigAction(148);
- triList.ClearBoolSigAction(149);
- triList.ClearBoolSigAction(150);
- triList.ClearBoolSigAction(151);
- triList.ClearBoolSigAction(154);
- }
+ triList.ClearBoolSigAction(145);
+ triList.ClearBoolSigAction(146);
+ triList.ClearBoolSigAction(147);
+ triList.ClearBoolSigAction(148);
+ triList.ClearBoolSigAction(149);
+ triList.ClearBoolSigAction(150);
+ triList.ClearBoolSigAction(151);
+ triList.ClearBoolSigAction(154);
}
-}
\ No newline at end of file
+}
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ITvPresetsProvider.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ITvPresetsProvider.cs
index 09b7066c..0d6fce71 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ITvPresetsProvider.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/ITvPresetsProvider.cs
@@ -1,15 +1,14 @@
using PepperDash.Essentials.Core.Presets;
-namespace PepperDash.Essentials.Core.DeviceTypeInterfaces
+namespace PepperDash.Essentials.Core.DeviceTypeInterfaces;
+
+///
+/// Defines the contract for ITvPresetsProvider
+///
+public interface ITvPresetsProvider
{
///
- /// Defines the contract for ITvPresetsProvider
+ /// The TV presets model
///
- public interface ITvPresetsProvider
- {
- ///
- /// The TV presets model
- ///
- DevicePresetsModel TvPresets { get; }
- }
-}
\ No newline at end of file
+ DevicePresetsModel TvPresets { get; }
+}
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IUiDisplayInfo.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IUiDisplayInfo.cs
index 231abf1f..274cb06a 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IUiDisplayInfo.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IUiDisplayInfo.cs
@@ -1,7 +1,7 @@
using PepperDash.Core;
-namespace PepperDash.Essentials.Core
-{
+namespace PepperDash.Essentials.Core;
+
///
/// Defines the contract for IUiDisplayInfo
///
@@ -11,5 +11,4 @@ namespace PepperDash.Essentials.Core
/// Display UI Type
///
uint DisplayUiType { get; }
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IWarmingCooling.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IWarmingCooling.cs
index e69bf35c..54ac37f8 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IWarmingCooling.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/IWarmingCooling.cs
@@ -4,8 +4,8 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Essentials.Core
-{
+namespace PepperDash.Essentials.Core;
+
///
/// Defines a class that has warm up and cool down
///
@@ -20,5 +20,4 @@ namespace PepperDash.Essentials.Core
/// Feedback indicating whether the device is cooling down
///
BoolFeedback IsCoolingDownFeedback { get; }
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/LanguageLabel.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/LanguageLabel.cs
index c8a45592..7f83a829 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/LanguageLabel.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/LanguageLabel.cs
@@ -1,28 +1,26 @@
-using System;
-using PepperDash.Core;
+
+namespace PepperDash.Essentials.Core.DeviceTypeInterfaces;
-namespace PepperDash.Essentials.Core.DeviceTypeInterfaces
+
+///
+/// Represents a LanguageLabel
+///
+public class LanguageLabel
{
///
- /// Represents a LanguageLabel
+ /// Gets or sets the Key
///
- public class LanguageLabel
- {
- ///
- /// Gets or sets the Key
- ///
- public string Key { get; set; }
- ///
- /// Gets or sets the Description
- ///
- public string Description { get; set; }
- ///
- /// Gets or sets the DisplayText
- ///
- public string DisplayText { get; set; }
- ///
- /// Gets or sets the JoinNumber
- ///
- public uint JoinNumber { get; set; }
- }
-}
\ No newline at end of file
+ public string Key { get; set; }
+ ///
+ /// Gets or sets the Description
+ ///
+ public string Description { get; set; }
+ ///
+ /// Gets or sets the DisplayText
+ ///
+ public string DisplayText { get; set; }
+ ///
+ /// Gets or sets the JoinNumber
+ ///
+ public uint JoinNumber { get; set; }
+}
diff --git a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/Template.cs b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/Template.cs
index 31f71df9..bf8dedd6 100644
--- a/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/Template.cs
+++ b/src/PepperDash.Essentials.Core/DeviceTypeInterfaces/Template.cs
@@ -3,7 +3,6 @@
using PepperDash.Essentials.Core;
using PepperDash.Essentials.Core.SmartObjects;
-namespace PepperDash.Essentials.Core
-{
-
-}
\ No newline at end of file
+namespace PepperDash.Essentials.Core;
+
+
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Devices/AudioControlListItemBase.cs b/src/PepperDash.Essentials.Core/Devices/AudioControlListItemBase.cs
index 038f80a7..ec555c79 100644
--- a/src/PepperDash.Essentials.Core/Devices/AudioControlListItemBase.cs
+++ b/src/PepperDash.Essentials.Core/Devices/AudioControlListItemBase.cs
@@ -5,41 +5,40 @@ using System.Linq;
using System.Text;
using System.Threading.Tasks;
-namespace PepperDash.Essentials.Core
+namespace PepperDash.Essentials.Core;
+
+///
+/// Base class for items that can be added to an AudioControlList. Contains properties that are common to all items, such as the parent device key and an optional item key. Also includes properties for display purposes, such as a name and order.
+///
+public abstract class AudioControlListItemBase
{
///
- /// Base class for audio control list items
+ /// Key of the parent device in the DeviceManager
///
- public abstract class AudioControlListItemBase
- {
- ///
- /// Key of the parent device in the DeviceManager
- ///
- [JsonProperty("parentDeviceKey")]
- public string ParentDeviceKey { get; set; }
+ [JsonProperty("parentDeviceKey")]
+ public string ParentDeviceKey { get; set; }
- ///
- /// Optional key of the item in the parent device
- ///
- [JsonProperty("itemKey")]
- public string ItemKey { get; set; }
+ ///
+ /// Optional key of the item in the parent device
+ ///
+ [JsonProperty("itemKey")]
+ public string ItemKey { get; set; }
- ///
- /// A name that will override the items's name on the UI
- ///
- [JsonProperty("name")]
- public string Name { get; set; }
+ ///
+ /// A name that will override the items's name on the UI
+ ///
+ [JsonProperty("name")]
+ public string Name { get; set; }
- ///
- /// Indicates if the item should be included in the user accessible list
- ///
- [JsonProperty("includeInUserList")]
- public bool IncludeInUserList { get; set; }
+ ///
+ /// Indicates if the item should be included in the user accessible list
+ ///
+ [JsonProperty("includeInUserList")]
+ public bool IncludeInUserList { get; set; }
- ///
- /// Used to specify the order of the items in the source list when displayed
- ///
- [JsonProperty("order")]
- public int Order { get; set; }
- }
+ ///
+ /// Used to specify the order of the items in the source list when displayed
+ ///
+ [JsonProperty("order")]
+ public int Order { get; set; }
}
diff --git a/src/PepperDash.Essentials.Core/Devices/AudioInterfaces.cs b/src/PepperDash.Essentials.Core/Devices/AudioInterfaces.cs
index cc886636..a9e0dc92 100644
--- a/src/PepperDash.Essentials.Core/Devices/AudioInterfaces.cs
+++ b/src/PepperDash.Essentials.Core/Devices/AudioInterfaces.cs
@@ -6,8 +6,8 @@ using Crestron.SimplSharp;
using Crestron.SimplSharpPro;
using Crestron.SimplSharpPro.DeviceSupport;
-namespace PepperDash.Essentials.Core
-{
+namespace PepperDash.Essentials.Core;
+
///
/// Enumeration of AudioChangeType values
@@ -50,5 +50,4 @@ namespace PepperDash.Essentials.Core
ChangeType = changeType;
AudioDevice = device;
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Devices/CameraListItem.cs b/src/PepperDash.Essentials.Core/Devices/CameraListItem.cs
index a154c083..91ca3c83 100644
--- a/src/PepperDash.Essentials.Core/Devices/CameraListItem.cs
+++ b/src/PepperDash.Essentials.Core/Devices/CameraListItem.cs
@@ -1,82 +1,82 @@
using Newtonsoft.Json;
using PepperDash.Core;
-namespace PepperDash.Essentials.Core
+namespace PepperDash.Essentials.Core;
+
+///
+/// Represents an item in a camera list, which can be used to display camera sources in a user interface. Contains properties for the device key, preferred name, icon, and order of the item in the list. Also includes a property to get the associated camera device from the DeviceManager based on the device key.
+///
+public class CameraListItem
{
+
///
- /// Represents a CameraListItem
+ /// Key of the camera device in the DeviceManager
///
- public class CameraListItem
+ [JsonProperty("deviceKey")]
+ public string DeviceKey { get; set; }
+
+ ///
+ /// Returns the source Device for this, if it exists in DeviceManager
+ ///
+ [JsonIgnore]
+ public Device CameraDevice
{
- ///
- /// Key of the camera device
- ///
- [JsonProperty("deviceKey")]
- public string DeviceKey { get; set; }
-
- ///
- /// Returns the source Device for this, if it exists in DeviceManager
- ///
- [JsonIgnore]
- public Device CameraDevice
+ get
{
- get
- {
- if (_cameraDevice == null)
- _cameraDevice = DeviceManager.GetDeviceForKey(DeviceKey) as Device;
- return _cameraDevice;
- }
+ if (_cameraDevice == null)
+ _cameraDevice = DeviceManager.GetDeviceForKey(DeviceKey) as Device;
+ return _cameraDevice;
}
- Device _cameraDevice;
-
- ///
- /// Gets either the source's Name or this AlternateName property, if
- /// defined. If source doesn't exist, returns "Missing source"
- ///
- [JsonProperty("preferredName")]
- public string PreferredName
- {
- get
- {
- if (string.IsNullOrEmpty(Name))
- {
- if (CameraDevice == null)
- return "---";
- return CameraDevice.Name;
- }
- return Name;
- }
- }
-
- ///
- /// A name that will override the source's name on the UI
- ///
- [JsonProperty("name")]
- public string Name { get; set; }
-
-
- ///
- /// Specifies and icon for the source list item
- ///
- [JsonProperty("icon")]
- public string Icon { get; set; }
-
- ///
- /// Alternate icon
- ///
- [JsonProperty("altIcon", NullValueHandling = NullValueHandling.Ignore)]
- public string AltIcon { get; set; }
-
- ///
- /// Indicates if the item should be included in the user facing list
- ///
- [JsonProperty("includeInUserList")]
- public bool IncludeInUserList { get; set; }
-
- ///
- /// Used to specify the order of the items in the source list when displayed
- ///
- [JsonProperty("order")]
- public int Order { get; set; }
}
+ Device _cameraDevice;
+
+ ///
+ /// Gets either the source's Name or this AlternateName property, if
+ /// defined. If source doesn't exist, returns "Missing source"
+ ///
+ [JsonProperty("preferredName")]
+ public string PreferredName
+ {
+ get
+ {
+ if (string.IsNullOrEmpty(Name))
+ {
+ if (CameraDevice == null)
+ return "---";
+ return CameraDevice.Name;
+ }
+ return Name;
+ }
+ }
+
+ ///
+ /// A name that will override the source's name on the UI
+ ///
+ [JsonProperty("name")]
+ public string Name { get; set; }
+
+
+ ///
+ /// Specifies and icon for the source list item
+ ///
+ [JsonProperty("icon")]
+ public string Icon { get; set; }
+
+ ///
+ /// Alternate icon
+ ///
+ [JsonProperty("altIcon", NullValueHandling = NullValueHandling.Ignore)]
+ public string AltIcon { get; set; }
+
+ ///
+ /// Indicates if the item should be included in the user facing list
+ ///
+ [JsonProperty("includeInUserList")]
+ public bool IncludeInUserList { get; set; }
+
+ ///
+ /// Used to specify the order of the items in the source list when displayed
+ ///
+ [JsonProperty("order")]
+ public int Order { get; set; }
}
diff --git a/src/PepperDash.Essentials.Core/Devices/CodecInterfaces.cs b/src/PepperDash.Essentials.Core/Devices/CodecInterfaces.cs
index b9d8a28f..d757cd5a 100644
--- a/src/PepperDash.Essentials.Core/Devices/CodecInterfaces.cs
+++ b/src/PepperDash.Essentials.Core/Devices/CodecInterfaces.cs
@@ -4,107 +4,106 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Essentials.Core
+namespace PepperDash.Essentials.Core;
+
+///
+/// Adds control of codec receive volume
+///
+public interface IReceiveVolume
+{
+ // Break this out into 3 interfaces
+
+ ///
+ /// Sets the receive volume level
+ ///
+ /// volume level to set
+ void SetReceiveVolume(ushort level);
+
+ ///
+ /// Mutes the receive audio
+ ///
+ void ReceiveMuteOn();
+
+ ///
+ /// Unmutes the receive audio
+ ///
+ void ReceiveMuteOff();
+
+ ///
+ /// Toggles the receive mute state
+ ///
+ void ReceiveMuteToggle();
+
+ ///
+ /// Feedback for the receive volume level
+ ///
+ IntFeedback ReceiveLevelFeedback { get; }
+
+ ///
+ /// Feedback for the receive mute state
+ ///
+ BoolFeedback ReceiveMuteIsOnFeedback { get; }
+}
+
+///
+/// Defines the contract for ITransmitVolume
+///
+public interface ITransmitVolume
{
///
- /// Adds control of codec receive volume
+ /// Sets the transmit volume level
///
- public interface IReceiveVolume
- {
- // Break this out into 3 interfaces
-
- ///
- /// Sets the receive volume level
- ///
- /// volume level to set
- void SetReceiveVolume(ushort level);
-
- ///
- /// Mutes the receive audio
- ///
- void ReceiveMuteOn();
-
- ///
- /// Unmutes the receive audio
- ///
- void ReceiveMuteOff();
-
- ///
- /// Toggles the receive mute state
- ///
- void ReceiveMuteToggle();
-
- ///
- /// Feedback for the receive volume level
- ///
- IntFeedback ReceiveLevelFeedback { get; }
-
- ///
- /// Feedback for the receive mute state
- ///
- BoolFeedback ReceiveMuteIsOnFeedback { get; }
- }
+ /// volume level to set
+ void SetTransmitVolume(ushort level);
///
- /// Defines the contract for ITransmitVolume
+ /// Mutes the transmit audio
///
- public interface ITransmitVolume
- {
- ///
- /// Sets the transmit volume level
- ///
- /// volume level to set
- void SetTransmitVolume(ushort level);
-
- ///
- /// Mutes the transmit audio
- ///
- void TransmitMuteOn();
-
- ///
- /// Unmutes the transmit audio
- ///
- void TransmitMuteOff();
-
- ///
- /// Toggles the transmit mute state
- ///
- void TransmitMuteToggle();
-
- ///
- /// Feedback for the transmit volume level
- ///
- IntFeedback TransmitLevelFeedback { get; }
-
- ///
- /// Feedback for the transmit mute state
- ///
- BoolFeedback TransmitMuteIsOnFeedback { get; }
- }
+ void TransmitMuteOn();
///
- /// Defines the contract for IPrivacy
+ /// Unmutes the transmit audio
///
- public interface IPrivacy
- {
- ///
- /// Enables privacy mode
- ///
- void PrivacyModeOn();
+ void TransmitMuteOff();
- ///
- /// Disables privacy mode
- ///
- void PrivacyModeOff();
+ ///
+ /// Toggles the transmit mute state
+ ///
+ void TransmitMuteToggle();
- ///
- /// Toggles privacy mode
- ///
- void PrivacyModeToggle();
+ ///
+ /// Feedback for the transmit volume level
+ ///
+ IntFeedback TransmitLevelFeedback { get; }
- ///
- /// Feedback for the privacy mode state
- ///
- BoolFeedback PrivacyModeIsOnFeedback { get; }
- }
-}
\ No newline at end of file
+ ///
+ /// Feedback for the transmit mute state
+ ///
+ BoolFeedback TransmitMuteIsOnFeedback { get; }
+}
+
+///
+/// Defines the contract for IPrivacy
+///
+public interface IPrivacy
+{
+ ///
+ /// Enables privacy mode
+ ///
+ void PrivacyModeOn();
+
+ ///
+ /// Disables privacy mode
+ ///
+ void PrivacyModeOff();
+
+ ///
+ /// Toggles privacy mode
+ ///
+ void PrivacyModeToggle();
+
+ ///
+ /// Feedback for the privacy mode state
+ ///
+ BoolFeedback PrivacyModeIsOnFeedback { get; }
+}
diff --git a/src/PepperDash.Essentials.Core/Devices/CrestronProcessor.cs b/src/PepperDash.Essentials.Core/Devices/CrestronProcessor.cs
index 8c31d4c6..29481b34 100644
--- a/src/PepperDash.Essentials.Core/Devices/CrestronProcessor.cs
+++ b/src/PepperDash.Essentials.Core/Devices/CrestronProcessor.cs
@@ -8,56 +8,45 @@ using PepperDash.Core;
using PepperDash.Essentials.Core.CrestronIO;
using Serilog.Events;
-namespace PepperDash.Essentials.Core.Devices
+namespace PepperDash.Essentials.Core.Devices;
+
+///
+/// This wrapper class is meant to allow interfaces to be applied to any Crestron processor
+///
+public class CrestronProcessor : Device, ISwitchedOutputCollection
{
- ///
- /// This wrapper class is meant to allow interfaces to be applied to any Crestron processor
- ///
- public class CrestronProcessor : Device, ISwitchedOutputCollection
+ public Dictionary SwitchedOutputs { get; private set; }
+
+ public Crestron.SimplSharpPro.CrestronControlSystem Processor { get; private set; }
+
+ public CrestronProcessor(string key)
+ : base(key)
{
- ///
- /// Collection of switched outputs (relays) on the processor
- ///
- public Dictionary SwitchedOutputs { get; private set; }
+ SwitchedOutputs = new Dictionary();
+ Processor = Global.ControlSystem;
- ///
- /// The underlying CrestronControlSystem processor
- ///
- public Crestron.SimplSharpPro.CrestronControlSystem Processor { get; private set; }
+ GetRelays();
+ }
- ///
- /// Constructor
- ///
- /// key for the processor
- public CrestronProcessor(string key)
- : base(key)
+ ///
+ /// Creates a GenericRelayDevice for each relay on the processor and adds them to the SwitchedOutputs collection
+ ///
+ void GetRelays()
+ {
+ try
{
- SwitchedOutputs = new Dictionary();
- Processor = Global.ControlSystem;
-
- GetRelays();
- }
-
- ///
- /// Creates a GenericRelayDevice for each relay on the processor and adds them to the SwitchedOutputs collection
- ///
- void GetRelays()
- {
- try
+ if (Processor.SupportsRelay)
{
- if (Processor.SupportsRelay)
+ for (uint i = 1; i <= Processor.NumberOfRelayPorts; i++)
{
- for (uint i = 1; i <= Processor.NumberOfRelayPorts; i++)
- {
- var relay = new GenericRelayDevice(string.Format("{0}-relay-{1}", this.Key, i), Processor.RelayPorts[i]);
- SwitchedOutputs.Add(i, relay);
- }
+ var relay = new GenericRelayDevice(string.Format("{0}-relay-{1}", this.Key, i), Processor.RelayPorts[i]);
+ SwitchedOutputs.Add(i, relay);
}
}
- catch (Exception e)
- {
- Debug.LogMessage(LogEventLevel.Debug, this, "Error Getting Relays from processor:\n '{0}'", e);
- }
+ }
+ catch (Exception e)
+ {
+ Debug.LogMessage(LogEventLevel.Debug, this, "Error Getting Relays from processor:\n '{0}'", e);
}
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Devices/DestinationListItem.cs b/src/PepperDash.Essentials.Core/Devices/DestinationListItem.cs
index 5a66c0b3..03f7af0e 100644
--- a/src/PepperDash.Essentials.Core/Devices/DestinationListItem.cs
+++ b/src/PepperDash.Essentials.Core/Devices/DestinationListItem.cs
@@ -3,122 +3,123 @@
using Newtonsoft.Json;
using PepperDash.Essentials.Core;
-namespace PepperDash.Essentials.Core
+namespace PepperDash.Essentials.Core;
+
+///
+/// Represents a destination item in a routing system that can receive audio/video signals.
+/// Contains information about the destination device, its properties, and location settings.
+///
+public class DestinationListItem
{
+
///
- /// Represents a destination item in a routing system that can receive audio/video signals.
- /// Contains information about the destination device, its properties, and location settings.
+ /// Gets or sets the key identifier for the sink device that this destination represents.
///
- public class DestinationListItem
+ [JsonProperty("sinkKey")]
+ public string SinkKey { get; set; }
+
+ private EssentialsDevice _sinkDevice;
+
+ ///
+ /// Gets the actual device instance for this destination.
+ /// Lazily loads the device from the DeviceManager using the SinkKey.
+ ///
+ [JsonIgnore]
+ public EssentialsDevice SinkDevice
{
- ///
- /// Gets or sets the key identifier for the sink device that this destination represents.
- ///
- [JsonProperty("sinkKey")]
- public string SinkKey { get; set; }
-
- private EssentialsDevice _sinkDevice;
-
- ///
- /// Gets the actual device instance for this destination.
- /// Lazily loads the device from the DeviceManager using the SinkKey.
- ///
- [JsonIgnore]
- public EssentialsDevice SinkDevice
- {
- get { return _sinkDevice ?? (_sinkDevice = DeviceManager.GetDeviceForKey(SinkKey) as EssentialsDevice); }
- }
-
- ///
- /// Gets the preferred display name for this destination.
- /// Returns the custom Name if set, otherwise returns the SinkDevice name, or "---" if no device is found.
- ///
- [JsonProperty("preferredName")]
- public string PreferredName
- {
- get
- {
- if (!string.IsNullOrEmpty(Name))
- {
- return Name;
- }
-
- return SinkDevice == null ? "---" : SinkDevice.Name;
- }
- }
-
- ///
- /// Gets or sets the custom name for this destination.
- /// If set, this name will be used as the PreferredName instead of the device name.
- ///
- [JsonProperty("name")]
- public string Name { get; set; }
-
- ///
- /// Gets or sets a value indicating whether this destination should be included in destination lists.
- ///
- [JsonProperty("includeInDestinationList")]
- public bool IncludeInDestinationList { get; set; }
-
- ///
- /// Gets or sets the display order for this destination in lists.
- /// Lower values appear first in sorted lists.
- ///
- [JsonProperty("order")]
- public int Order { get; set; }
-
- ///
- /// Gets or sets the surface location identifier for this destination.
- /// Used to specify which surface or screen this destination is located on.
- ///
- [JsonProperty("surfaceLocation")]
- public int SurfaceLocation { get; set; }
-
- ///
- /// Gets or sets the vertical location position for this destination.
- /// Used for spatial positioning in multi-display configurations.
- ///
- [JsonProperty("verticalLocation")]
- public int VerticalLocation { get; set; }
-
- ///
- /// Gets or sets the horizontal location position for this destination.
- /// Used for spatial positioning in multi-display configurations.
- ///
- [JsonProperty("horizontalLocation")]
- public int HorizontalLocation { get; set; }
-
- ///
- /// Gets or sets the signal type that this destination can receive (Audio, Video, AudioVideo, etc.).
- ///
- [JsonProperty("sinkType")]
- public eRoutingSignalType SinkType { get; set; }
-
- ///
- /// Gets or sets a value indicating whether this destination is used for codec content sharing.
- ///
- [JsonProperty("isCodecContentDestination")]
- public bool isCodecContentDestination { get; set; }
-
- ///
- /// Gets or sets a value indicating whether this destination is used for program audio output.
- ///
- [JsonProperty("isProgramAudioDestination")]
- public bool isProgramAudioDestination { get; set; }
-
- ///
- /// Gets or sets a value indicating whether this destination supports USB connections.
- /// Indicates if the destination can handle USB functionality, such as USB signal routing or device connections.
- /// This property is used to determine compatibility with USB-based devices or systems.
- ///
- [JsonProperty("supportsUsb")]
- public bool SupportsUsb { get; set; }
-
- ///
- /// The key of the destination port associated with this destination item
- /// This is used to identify the specific port on the destination device that this item refers to for advanced routing
- ///
- [JsonProperty("destinationPortKey")]
- public string DestinationPortKey { get; set; }
+ get { return _sinkDevice ?? (_sinkDevice = DeviceManager.GetDeviceForKey(SinkKey) as EssentialsDevice); }
}
+
+ ///
+ /// Gets the preferred display name for this destination.
+ /// Returns the custom Name if set, otherwise returns the SinkDevice name, or "---" if no device is found.
+ ///
+ [JsonProperty("preferredName")]
+ public string PreferredName
+ {
+ get
+ {
+ if (!string.IsNullOrEmpty(Name))
+ {
+ return Name;
+ }
+
+ return SinkDevice == null ? "---" : SinkDevice.Name;
+ }
+ }
+
+ ///
+ /// Gets or sets the custom name for this destination.
+ /// If set, this name will be used as the PreferredName instead of the device name.
+ ///
+ [JsonProperty("name")]
+ public string Name { get; set; }
+
+ ///
+ /// Gets or sets a value indicating whether this destination should be included in destination lists.
+ ///
+ [JsonProperty("includeInDestinationList")]
+ public bool IncludeInDestinationList { get; set; }
+
+ ///
+ /// Gets or sets the display order for this destination in lists.
+ /// Lower values appear first in sorted lists.
+ ///
+ [JsonProperty("order")]
+ public int Order { get; set; }
+
+ ///
+ /// Gets or sets the surface location identifier for this destination.
+ /// Used to specify which surface or screen this destination is located on.
+ ///
+ [JsonProperty("surfaceLocation")]
+ public int SurfaceLocation { get; set; }
+
+ ///
+ /// Gets or sets the vertical location position for this destination.
+ /// Used for spatial positioning in multi-display configurations.
+ ///
+ [JsonProperty("verticalLocation")]
+ public int VerticalLocation { get; set; }
+
+ ///
+ /// Gets or sets the horizontal location position for this destination.
+ /// Used for spatial positioning in multi-display configurations.
+ ///
+ [JsonProperty("horizontalLocation")]
+ public int HorizontalLocation { get; set; }
+
+ ///
+ /// Gets or sets the signal type that this destination can receive (Audio, Video, AudioVideo, etc.).
+ ///
+ [JsonProperty("sinkType")]
+ public eRoutingSignalType SinkType { get; set; }
+
+ ///
+ /// Gets or sets a value indicating whether this destination is used for codec content sharing.
+ ///
+ [JsonProperty("isCodecContentDestination")]
+ public bool isCodecContentDestination { get; set; }
+
+ ///
+ /// Gets or sets a value indicating whether this destination is used for program audio output.
+ ///
+ [JsonProperty("isProgramAudioDestination")]
+ public bool isProgramAudioDestination { get; set; }
+
+ ///
+ /// Gets or sets a value indicating whether this destination supports USB connections.
+ /// Indicates if the destination can handle USB functionality, such as USB signal routing or device connections.
+ /// This property is used to determine compatibility with USB-based devices or systems.
+ ///
+ [JsonProperty("supportsUsb")]
+ public bool SupportsUsb { get; set; }
+
+ ///
+ /// The key of the destination port associated with this destination item
+ /// This is used to identify the specific port on the destination device that this item refers to for advanced routing
+ ///
+ [JsonProperty("destinationPortKey")]
+ public string DestinationPortKey { get; set; }
+
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Devices/DeviceApiBase.cs b/src/PepperDash.Essentials.Core/Devices/DeviceApiBase.cs
index 28ac13dc..9d15b256 100644
--- a/src/PepperDash.Essentials.Core/Devices/DeviceApiBase.cs
+++ b/src/PepperDash.Essentials.Core/Devices/DeviceApiBase.cs
@@ -4,21 +4,20 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Essentials.Core.Devices
+namespace PepperDash.Essentials.Core.Devices;
+
+///
+/// Base class for all Device APIs
+///
+public abstract class DeviceApiBase
{
///
- /// Base class for all Device APIs
+ /// Action API dictionary
///
- public abstract class DeviceApiBase
- {
- ///
- /// Action API dictionary
- ///
- public Dictionary ActionApi { get; protected set; }
+ public Dictionary ActionApi { get; protected set; }
- ///
- /// Feedback API dictionary
- ///
- public Dictionary FeedbackApi { get; protected set; }
- }
-}
\ No newline at end of file
+ ///
+ /// Feedback API dictionary
+ ///
+ public Dictionary FeedbackApi { get; protected set; }
+}
diff --git a/src/PepperDash.Essentials.Core/Devices/DeviceFeedbackExtensions.cs b/src/PepperDash.Essentials.Core/Devices/DeviceFeedbackExtensions.cs
index 0e7595e1..e8bb635a 100644
--- a/src/PepperDash.Essentials.Core/Devices/DeviceFeedbackExtensions.cs
+++ b/src/PepperDash.Essentials.Core/Devices/DeviceFeedbackExtensions.cs
@@ -6,30 +6,29 @@ using Crestron.SimplSharp;
using PepperDash.Core;
-namespace PepperDash.Essentials.Core
+namespace PepperDash.Essentials.Core;
+
+///
+/// Extension methods for working with device feedback properties.
+///
+public static class DeviceFeedbackExtensions
{
///
- /// DeviceFeedbackExtensions class
+ /// Attempts to get and return a feedback property from a device by name.
+ /// If unsuccessful, returns null.
///
- public static class DeviceFeedbackExtensions
+ ///
+ ///
+ ///
+ public static Feedback GetFeedbackProperty(this Device device, string propertyName)
{
- ///
- /// Attempts to get and return a feedback property from a device by name.
- /// If unsuccessful, returns null.
- ///
- /// device to get feedback from
- /// name of the feedback property
- /// Feedback property if found, otherwise null
- public static Feedback GetFeedbackProperty(this Device device, string propertyName)
+ var feedback = DeviceJsonApi.GetPropertyByName(device.Key, propertyName) as Feedback;
+
+ if (feedback != null)
{
- var feedback = DeviceJsonApi.GetPropertyByName(device.Key, propertyName) as Feedback;
-
- if (feedback != null)
- {
- return feedback;
- }
-
- return null;
+ return feedback;
}
+
+ return null;
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Devices/DeviceJsonApi.cs b/src/PepperDash.Essentials.Core/Devices/DeviceJsonApi.cs
index c4ec2ca9..6ba640d4 100644
--- a/src/PepperDash.Essentials.Core/Devices/DeviceJsonApi.cs
+++ b/src/PepperDash.Essentials.Core/Devices/DeviceJsonApi.cs
@@ -9,528 +9,530 @@ using System.Linq;
using System.Reflection;
using System.Threading.Tasks;
-namespace PepperDash.Essentials.Core
+namespace PepperDash.Essentials.Core;
+
+///
+/// Provides methods for interacting with devices using JSON-formatted commands.
+///
+public class DeviceJsonApi
{
///
- /// Represents a DeviceJsonApi
+ /// Executes a method on a device based on a JSON-formatted command string.
///
- public class DeviceJsonApi
+ ///
+ public static void DoDeviceActionWithJson(string json)
{
- ///
- /// DoDeviceActionWithJson method
- ///
- /// json method
- public static void DoDeviceActionWithJson(string json)
+ if (String.IsNullOrEmpty(json))
{
- if (String.IsNullOrEmpty(json))
+ CrestronConsole.ConsoleCommandResponse(
+ "Please provide a JSON object matching the format {\"deviceKey\":\"myDevice\", \"methodName\":\"someMethod\", \"params\": [\"param1\", true]}.\r\nIf the method has no parameters, the \"params\" object may be omitted.");
+ return;
+ }
+ try
+ {
+ var action = JsonConvert.DeserializeObject(json);
+
+ DoDeviceAction(action);
+ }
+ catch (Exception)
+ {
+ CrestronConsole.ConsoleCommandResponse("Incorrect format for JSON. Please check that the format matches {\"deviceKey\":\"myDevice\", \"methodName\":\"someMethod\", \"params\": [\"param1\", true]}");
+ }
+
+ }
+
+
+ ///
+ /// Executes a method on a device based on a JSON-formatted command string, awaiting the result if the method is asynchronous.
+ ///
+ ///
+ public static void DoDeviceAction(DeviceActionWrapper action)
+ {
+ var key = action.DeviceKey;
+ var obj = FindObjectOnPath(key);
+ if (obj == null)
+ {
+ CrestronConsole.ConsoleCommandResponse("Unable to find object at path {0}", key);
+ return;
+ }
+
+ if (action.Params == null)
+ {
+ //no params, so setting action.Params to empty array
+ action.Params = new object[0];
+ }
+
+ Type t = obj.GetType();
+ try
+ {
+ var methods = t.GetMethods().Where(m => m.Name == action.MethodName).ToList();
+
+ var method = methods.Count == 1 ? methods[0] : methods.FirstOrDefault(m => m.GetParameters().Length == action.Params.Length);
+
+ if (method == null)
{
CrestronConsole.ConsoleCommandResponse(
- "Please provide a JSON object matching the format {\"deviceKey\":\"myDevice\", \"methodName\":\"someMethod\", \"params\": [\"param1\", true]}.\r\nIf the method has no parameters, the \"params\" object may be omitted.");
+ "Unable to find method with name {0} and that matches parameters {1}", action.MethodName,
+ action.Params);
return;
}
- try
- {
- var action = JsonConvert.DeserializeObject(json);
+ var mParams = method.GetParameters();
- DoDeviceAction(action);
- }
- catch (Exception)
- {
- CrestronConsole.ConsoleCommandResponse("Incorrect format for JSON. Please check that the format matches {\"deviceKey\":\"myDevice\", \"methodName\":\"someMethod\", \"params\": [\"param1\", true]}");
- }
+ var convertedParams = mParams
+ .Select((p, i) => ConvertType(action.Params[i], p.ParameterType))
+ .ToArray();
- }
-
-
- ///
- /// DoDeviceAction method
- ///
- /// action method
- public static void DoDeviceAction(DeviceActionWrapper action)
- {
- var key = action.DeviceKey;
- var obj = FindObjectOnPath(key);
- if (obj == null)
- {
- CrestronConsole.ConsoleCommandResponse("Unable to find object at path {0}", key);
- return;
- }
-
- if (action.Params == null)
- {
- //no params, so setting action.Params to empty array
- action.Params = new object[0];
- }
-
- Type t = obj.GetType();
- try
- {
- var methods = t.GetMethods().Where(m => m.Name == action.MethodName).ToList();
-
- var method = methods.Count == 1 ? methods[0] : methods.FirstOrDefault(m => m.GetParameters().Length == action.Params.Length);
-
- if (method == null)
- {
- CrestronConsole.ConsoleCommandResponse(
- "Unable to find method with name {0} and that matches parameters {1}", action.MethodName,
- action.Params);
- return;
- }
- var mParams = method.GetParameters();
-
- var convertedParams = mParams
- .Select((p, i) => ConvertType(action.Params[i], p.ParameterType))
- .ToArray();
-
- Task.Run(() =>
- {
- try
- {
- Debug.LogMessage(LogEventLevel.Verbose, "Calling method {methodName} on device {deviceKey}", null, method.Name, action.DeviceKey);
- method.Invoke(obj, convertedParams);
- }
- catch (Exception e)
- {
- Debug.LogMessage(e, "Error invoking method {methodName} on device {deviceKey}", null, method.Name, action.DeviceKey);
- }
- });
-
- CrestronConsole.ConsoleCommandResponse("Method {0} successfully called on device {1}", method.Name,
- action.DeviceKey);
- }
- catch (Exception ex)
- {
- CrestronConsole.ConsoleCommandResponse("Unable to call method with name {0}. {1}", action.MethodName,
- ex.Message);
- }
- }
-
- ///
- /// DoDeviceActionAsync method
- ///
- /// action method
- public static async Task DoDeviceActionAsync(DeviceActionWrapper action)
- {
- var key = action.DeviceKey;
- var obj = FindObjectOnPath(key);
- if (obj == null)
- {
- Debug.LogMessage(LogEventLevel.Warning, "Unable to find object at path {deviceKey}", null, key);
- return;
- }
-
- if (action.Params == null)
- {
- //no params, so setting action.Params to empty array
- action.Params = new object[0];
- }
-
- Type t = obj.GetType();
- try
- {
- var methods = t.GetMethods().Where(m => m.Name == action.MethodName).ToList();
-
- var method = methods.Count == 1 ? methods[0] : methods.FirstOrDefault(m => m.GetParameters().Length == action.Params.Length);
-
- if (method == null)
- {
- Debug.LogMessage(LogEventLevel.Warning,
- "Unable to find method with name {methodName} and that matches parameters {@parameters}", null, action.MethodName,
- action.Params);
- return;
- }
- var mParams = method.GetParameters();
-
- var convertedParams = mParams
- .Select((p, i) => ConvertType(action.Params[i], p.ParameterType))
- .ToArray();
-
- try
- {
- Debug.LogMessage(LogEventLevel.Verbose, "Calling method {methodName} on device {deviceKey} with {@params}", null, method.Name, action.DeviceKey, action.Params);
- var result = method.Invoke(obj, convertedParams);
-
- // If the method returns a Task, await it
- if (result is Task task)
- {
- await task;
- }
- // If the method returns a Task, await it
- else if (result != null && result.GetType().IsGenericType && result.GetType().GetGenericTypeDefinition() == typeof(Task<>))
- {
- await (Task)result;
- }
- }
- catch (Exception e)
- {
- Debug.LogMessage(e, "Error invoking method {methodName} on device {deviceKey}", null, method.Name, action.DeviceKey);
- }
- }
- catch (Exception ex)
- {
- Debug.LogMessage(ex, "Unable to call method with name {methodName} with {@parameters}", null, action.MethodName, action.Params);
- }
- }
-
- private static object ConvertType(object value, Type conversionType)
- {
- if (!conversionType.IsEnum)
- {
- return Convert.ChangeType(value, conversionType, System.Globalization.CultureInfo.InvariantCulture);
- }
-
- var stringValue = Convert.ToString(value);
-
- if (String.IsNullOrEmpty(stringValue))
- {
- throw new InvalidCastException(
- String.Format("{0} cannot be converted to a string prior to conversion to enum"));
- }
- return Enum.Parse(conversionType, stringValue, true);
- }
-
- ///
- /// Gets the properties on a device
- ///
- /// The path to the device object
- /// A JSON string representing the properties of the device
- public static string GetProperties(string deviceObjectPath)
- {
- var obj = FindObjectOnPath(deviceObjectPath);
- if (obj == null)
- return "{ \"error\":\"No Device\"}";
-
- Type t = obj.GetType();
- // get the properties and set them into a new collection of NameType wrappers
- var props = t.GetProperties().Select(p => new PropertyNameType(p, obj));
- return JsonConvert.SerializeObject(props, Formatting.Indented);
- }
-
- ///
- /// Gets a property from a device path by name
- ///
- /// The path to the device object
- /// The name of the property to get
- /// The value of the property
- public static object GetPropertyByName(string deviceObjectPath, string propertyName)
- {
- var dev = FindObjectOnPath(deviceObjectPath);
- if (dev == null)
- return "{ \"error\":\"No Device\"}";
-
- object prop = dev.GetType().GetProperty(propertyName).GetValue(dev, null);
-
- // var prop = t.GetProperty(propertyName);
- if (prop != null)
- {
- return prop;
- }
- else
- {
- Debug.LogMessage(LogEventLevel.Debug, "Unable to find Property: {0} on Device with path: {1}", propertyName, deviceObjectPath);
- return null;
- }
- }
-
- ///
- /// Gets the methods on a device
- ///
- /// The path to the device object
- /// A JSON string representing the methods of the device
- public static string GetMethods(string deviceObjectPath)
- {
- var obj = FindObjectOnPath(deviceObjectPath);
- if (obj == null)
- return "{ \"error\":\"No Device\"}";
-
- // Package up method names using helper objects
- Type t = obj.GetType();
- var methods = t.GetMethods()
- .Where(m => !m.IsSpecialName)
- .Select(p => new MethodNameParams(p));
- return JsonConvert.SerializeObject(methods, Formatting.Indented);
- }
-
- ///
- /// Gets the API methods on a device
- ///
- /// The path to the device object
- /// A JSON string representing the API methods of the device
- public static string GetApiMethods(string deviceObjectPath)
- {
- var obj = FindObjectOnPath(deviceObjectPath);
- if (obj == null)
- return "{ \"error\":\"No Device\"}";
-
- // Package up method names using helper objects
- Type t = obj.GetType();
- var methods = t.GetMethods()
- .Where(m => !m.IsSpecialName)
- .Where(m => m.GetCustomAttributes(typeof(ApiAttribute), true).Any())
- .Select(p => new MethodNameParams(p));
- return JsonConvert.SerializeObject(methods, Formatting.Indented);
- }
-
-
- ///
- /// FindObjectOnPath method
- ///
- /// The path to the device object
- /// The object found at the specified path
- public static object FindObjectOnPath(string deviceObjectPath)
- {
- var path = deviceObjectPath.Split('.');
-
- var dev = DeviceManager.GetDeviceForKey(path[0]);
- if (dev == null)
- {
- Debug.LogMessage(LogEventLevel.Information, "Device {0} not found", path[0]);
- return null;
- }
-
- // loop through any dotted properties
- object obj = dev;
- if (path.Length > 1)
- {
- for (int i = 1; i < path.Length; i++)
- {
- var objName = path[i];
- string indexStr = null;
- var indexOpen = objName.IndexOf('[');
- if (indexOpen != -1)
- {
- var indexClose = objName.IndexOf(']');
- if (indexClose == -1)
- {
- Debug.LogMessage(LogEventLevel.Information, dev, "ERROR Unmatched index brackets");
- return null;
- }
- // Get the index and strip quotes if any
- indexStr = objName.Substring(indexOpen + 1, indexClose - indexOpen - 1).Replace("\"", "");
- objName = objName.Substring(0, indexOpen);
- Debug.LogMessage(LogEventLevel.Information, dev, " Checking for collection '{0}', index '{1}'", objName, indexStr);
- }
-
- Type oType = obj.GetType();
- var prop = oType.GetProperty(objName);
- if (prop == null)
- {
- Debug.LogMessage(LogEventLevel.Information, dev, "Property {0} not found on {1}", objName, path[i - 1]);
- return null;
- }
- // if there's an index, try to get the property
- if (indexStr != null)
- {
- if (!typeof(ICollection).IsAssignableFrom(prop.PropertyType))
- {
- Debug.LogMessage(LogEventLevel.Information, dev, "Property {0} is not collection", objName);
- return null;
- }
- var collection = prop.GetValue(obj, null) as ICollection;
- // Get the indexed items "property"
- var indexedPropInfo = prop.PropertyType.GetProperty("Item");
- // These are the parameters for the indexing. Only care about one
- var indexParams = indexedPropInfo.GetIndexParameters();
- if (indexParams.Length > 0)
- {
- Debug.LogMessage(LogEventLevel.Information, " Indexed, param type: {0}", indexParams[0].ParameterType.Name);
- var properParam = Convert.ChangeType(indexStr, indexParams[0].ParameterType,
- System.Globalization.CultureInfo.InvariantCulture);
- try
- {
- obj = indexedPropInfo.GetValue(collection, new object[] { properParam });
- }
- // if the index is bad, catch it here.
- catch (TargetInvocationException e)
- {
- if (e.InnerException is ArgumentOutOfRangeException)
- Debug.LogMessage(LogEventLevel.Information, " Index Out of range");
- else if (e.InnerException is KeyNotFoundException)
- Debug.LogMessage(LogEventLevel.Information, " Key not found");
- return null;
- }
- }
-
- }
- else
- obj = prop.GetValue(obj, null);
- }
- }
- return obj;
- }
-
- ///
- /// Sets a property on an object.
- ///
- /// The path to the device object
- /// A JSON string representing the result of setting the property
- public static string SetProperty(string deviceObjectPath)
- {
- throw new NotImplementedException("This could be really useful. Finish it please");
-
- //var obj = FindObjectOnPath(deviceObjectPath);
- //if (obj == null)
- // return "{\"error\":\"No object found\"}";
-
- //Type t = obj.GetType();
-
-
- //// get the properties and set them into a new collection of NameType wrappers
- //var props = t.GetProperties().Select(p => new PropertyNameType(p, obj));
- //return JsonConvert.SerializeObject(props, Formatting.Indented);
- }
-
-
- }
-
- ///
- /// Represents a DeviceActionWrapper
- ///
- public class DeviceActionWrapper
- {
- ///
- /// Gets or sets the DeviceKey
- ///
- public string DeviceKey { get; set; }
-
- ///
- /// Gets or sets the MethodName
- ///
- public string MethodName { get; set; }
-
- ///
- /// Gets or sets the Params
- ///
- public object[] Params { get; set; }
- }
-
- ///
- /// Represents a PropertyNameType
- ///
- public class PropertyNameType
- {
- private object Parent;
-
- ///
- /// Gets or sets the PropInfo
- ///
- [JsonIgnore]
- public PropertyInfo PropInfo { get; private set; }
-
- ///
- /// Gets or sets the Name
- ///
- public string Name { get { return PropInfo.Name; } }
-
- ///
- /// Gets or sets the Type
- ///
- public string Type { get { return PropInfo.PropertyType.Name; } }
-
- ///
- /// Gets or sets the Value
- ///
- public string Value
- {
- get
- {
- if (PropInfo.CanRead)
+ Task.Run(() =>
{
try
{
- return PropInfo.GetValue(Parent, null).ToString();
+ Debug.LogMessage(LogEventLevel.Verbose, "Calling method {methodName} on device {deviceKey}", null, method.Name, action.DeviceKey);
+ method.Invoke(obj, convertedParams);
}
- catch (Exception)
+ catch (Exception e)
{
+ Debug.LogMessage(e, "Error invoking method {methodName} on device {deviceKey}", null, method.Name, action.DeviceKey);
+ }
+ });
+
+ CrestronConsole.ConsoleCommandResponse("Method {0} successfully called on device {1}", method.Name,
+ action.DeviceKey);
+ }
+ catch (Exception ex)
+ {
+ CrestronConsole.ConsoleCommandResponse("Unable to call method with name {0}. {1}", action.MethodName,
+ ex.Message);
+ }
+ }
+
+ ///
+ /// Executes a method on a device based on a JSON-formatted command string, awaiting the result if the method is asynchronous.
+ ///
+ ///
+ ///
+ public static async Task DoDeviceActionAsync(DeviceActionWrapper action)
+ {
+ var key = action.DeviceKey;
+ var obj = FindObjectOnPath(key);
+ if (obj == null)
+ {
+ Debug.LogMessage(LogEventLevel.Warning, "Unable to find object at path {deviceKey}", null, key);
+ return;
+ }
+
+ if (action.Params == null)
+ {
+ //no params, so setting action.Params to empty array
+ action.Params = new object[0];
+ }
+
+ Type t = obj.GetType();
+ try
+ {
+ var methods = t.GetMethods().Where(m => m.Name == action.MethodName).ToList();
+
+ var method = methods.Count == 1 ? methods[0] : methods.FirstOrDefault(m => m.GetParameters().Length == action.Params.Length);
+
+ if (method == null)
+ {
+ Debug.LogMessage(LogEventLevel.Warning,
+ "Unable to find method with name {methodName} and that matches parameters {@parameters}", null, action.MethodName,
+ action.Params);
+ return;
+ }
+ var mParams = method.GetParameters();
+
+ var convertedParams = mParams
+ .Select((p, i) => ConvertType(action.Params[i], p.ParameterType))
+ .ToArray();
+
+ try
+ {
+ Debug.LogMessage(LogEventLevel.Verbose, "Calling method {methodName} on device {deviceKey} with {@params}", null, method.Name, action.DeviceKey, action.Params);
+ var result = method.Invoke(obj, convertedParams);
+
+ // If the method returns a Task, await it
+ if (result is Task task)
+ {
+ await task;
+ }
+ // If the method returns a Task, await it
+ else if (result != null && result.GetType().IsGenericType && result.GetType().GetGenericTypeDefinition() == typeof(Task<>))
+ {
+ await (Task)result;
+ }
+ }
+ catch (Exception e)
+ {
+ Debug.LogMessage(e, "Error invoking method {methodName} on device {deviceKey}", null, method.Name, action.DeviceKey);
+ }
+ }
+ catch (Exception ex)
+ {
+ Debug.LogMessage(ex, "Unable to call method with name {methodName} with {@parameters}", null, action.MethodName, action.Params);
+ }
+ }
+
+ private static object ConvertType(object value, Type conversionType)
+ {
+ if (!conversionType.IsEnum)
+ {
+ return Convert.ChangeType(value, conversionType, System.Globalization.CultureInfo.InvariantCulture);
+ }
+
+ var stringValue = Convert.ToString(value);
+
+ if (String.IsNullOrEmpty(stringValue))
+ {
+ throw new InvalidCastException(
+ String.Format("{0} cannot be converted to a string prior to conversion to enum"));
+ }
+ return Enum.Parse(conversionType, stringValue, true);
+ }
+
+ ///
+ /// Gets the properties on a device
+ ///
+ /// The path to the device object.
+ /// A JSON-formatted string representing the properties of the device.
+ public static string GetProperties(string deviceObjectPath)
+ {
+ var obj = FindObjectOnPath(deviceObjectPath);
+ if (obj == null)
+ return "{ \"error\":\"No Device\"}";
+
+ Type t = obj.GetType();
+ // get the properties and set them into a new collection of NameType wrappers
+ var props = t.GetProperties().Select(p => new PropertyNameType(p, obj));
+ return JsonConvert.SerializeObject(props, Formatting.Indented);
+ }
+
+ ///
+ /// Gets a property from a device path by name
+ ///
+ /// The path to the device object.
+ /// The name of the property to retrieve.
+ /// The value of the property, or a JSON-formatted error string if the device or property is not found.
+ public static object GetPropertyByName(string deviceObjectPath, string propertyName)
+ {
+ var dev = FindObjectOnPath(deviceObjectPath);
+ if (dev == null)
+ return "{ \"error\":\"No Device\"}";
+
+ object prop = dev.GetType().GetProperty(propertyName).GetValue(dev, null);
+
+ // var prop = t.GetProperty(propertyName);
+ if (prop != null)
+ {
+ return prop;
+ }
+ else
+ {
+ Debug.LogMessage(LogEventLevel.Debug, "Unable to find Property: {0} on Device with path: {1}", propertyName, deviceObjectPath);
+ return null;
+ }
+ }
+
+ ///
+ /// Gets the methods on a device
+ ///
+ /// The path to the device object.
+ /// A JSON-formatted string representing the methods of the device.
+ public static string GetMethods(string deviceObjectPath)
+ {
+ var obj = FindObjectOnPath(deviceObjectPath);
+ if (obj == null)
+ return "{ \"error\":\"No Device\"}";
+
+ // Package up method names using helper objects
+ Type t = obj.GetType();
+ var methods = t.GetMethods()
+ .Where(m => !m.IsSpecialName)
+ .Select(p => new MethodNameParams(p));
+ return JsonConvert.SerializeObject(methods, Formatting.Indented);
+ }
+
+ ///
+ /// Gets the API methods on a device, which are the methods marked with the ApiAttribute.
+ /// These are the methods intended to be called through the JSON API.
+ /// This allows for hiding certain methods from the API if desired.
+ ///
+ /// The path to the device object.
+ /// A JSON-formatted string representing the API methods of the device.
+ public static string GetApiMethods(string deviceObjectPath)
+ {
+ var obj = FindObjectOnPath(deviceObjectPath);
+ if (obj == null)
+ return "{ \"error\":\"No Device\"}";
+
+ // Package up method names using helper objects
+ Type t = obj.GetType();
+ var methods = t.GetMethods()
+ .Where(m => !m.IsSpecialName)
+ .Where(m => m.GetCustomAttributes(typeof(ApiAttribute), true).Any())
+ .Select(p => new MethodNameParams(p));
+ return JsonConvert.SerializeObject(methods, Formatting.Indented);
+ }
+
+
+ ///
+ /// Walks down a dotted object path, starting with a Device, and returns the object
+ /// at the end of the path
+ ///
+ public static object FindObjectOnPath(string deviceObjectPath)
+ {
+ var path = deviceObjectPath.Split('.');
+
+ var dev = DeviceManager.GetDeviceForKey(path[0]);
+ if (dev == null)
+ {
+ Debug.LogMessage(LogEventLevel.Information, "Device {0} not found", path[0]);
+ return null;
+ }
+
+ // loop through any dotted properties
+ object obj = dev;
+ if (path.Length > 1)
+ {
+ for (int i = 1; i < path.Length; i++)
+ {
+ var objName = path[i];
+ string indexStr = null;
+ var indexOpen = objName.IndexOf('[');
+ if (indexOpen != -1)
+ {
+ var indexClose = objName.IndexOf(']');
+ if (indexClose == -1)
+ {
+ Debug.LogMessage(LogEventLevel.Information, dev, "ERROR Unmatched index brackets");
return null;
}
+ // Get the index and strip quotes if any
+ indexStr = objName.Substring(indexOpen + 1, indexClose - indexOpen - 1).Replace("\"", "");
+ objName = objName.Substring(0, indexOpen);
+ Debug.LogMessage(LogEventLevel.Information, dev, " Checking for collection '{0}', index '{1}'", objName, indexStr);
+ }
+
+ Type oType = obj.GetType();
+ var prop = oType.GetProperty(objName);
+ if (prop == null)
+ {
+ Debug.LogMessage(LogEventLevel.Information, dev, "Property {0} not found on {1}", objName, path[i - 1]);
+ return null;
+ }
+ // if there's an index, try to get the property
+ if (indexStr != null)
+ {
+ if (!typeof(ICollection).IsAssignableFrom(prop.PropertyType))
+ {
+ Debug.LogMessage(LogEventLevel.Information, dev, "Property {0} is not collection", objName);
+ return null;
+ }
+ var collection = prop.GetValue(obj, null) as ICollection;
+ // Get the indexed items "property"
+ var indexedPropInfo = prop.PropertyType.GetProperty("Item");
+ // These are the parameters for the indexing. Only care about one
+ var indexParams = indexedPropInfo.GetIndexParameters();
+ if (indexParams.Length > 0)
+ {
+ Debug.LogMessage(LogEventLevel.Information, " Indexed, param type: {0}", indexParams[0].ParameterType.Name);
+ var properParam = Convert.ChangeType(indexStr, indexParams[0].ParameterType,
+ System.Globalization.CultureInfo.InvariantCulture);
+ try
+ {
+ obj = indexedPropInfo.GetValue(collection, new object[] { properParam });
+ }
+ // if the index is bad, catch it here.
+ catch (TargetInvocationException e)
+ {
+ if (e.InnerException is ArgumentOutOfRangeException)
+ Debug.LogMessage(LogEventLevel.Information, " Index Out of range");
+ else if (e.InnerException is KeyNotFoundException)
+ Debug.LogMessage(LogEventLevel.Information, " Key not found");
+ return null;
+ }
+ }
+
}
else
- return null;
+ obj = prop.GetValue(obj, null);
}
}
-
- ///
- /// Gets or sets the CanRead
- ///
- public bool CanRead { get { return PropInfo.CanRead; } }
-
- ///
- /// Gets or sets the CanWrite
- ///
- public bool CanWrite { get { return PropInfo.CanWrite; } }
-
- ///
- /// PropertyNameType constructor
- ///
- /// property info
- /// parent object
- public PropertyNameType(PropertyInfo info, object parent)
- {
- PropInfo = info;
- Parent = parent;
- }
+ return obj;
}
///
- /// Represents a MethodNameParams
+ /// Sets a property on an object.
///
- public class MethodNameParams
+ ///
+ ///
+ public static string SetProperty(string deviceObjectPath)
{
- ///
- /// Gets or sets the MethodInfo
- ///
- [JsonIgnore]
- public MethodInfo MethodInfo { get; private set; }
+ throw new NotImplementedException("This could be really useful. Finish it please");
- ///
- /// Gets or sets the Name
- ///
- public string Name { get { return MethodInfo.Name; } }
+ //var obj = FindObjectOnPath(deviceObjectPath);
+ //if (obj == null)
+ // return "{\"error\":\"No object found\"}";
- ///
- /// Gets or sets the Params
- ///
- public IEnumerable Params
+ //Type t = obj.GetType();
+
+
+ //// get the properties and set them into a new collection of NameType wrappers
+ //var props = t.GetProperties().Select(p => new PropertyNameType(p, obj));
+ //return JsonConvert.SerializeObject(props, Formatting.Indented);
+ }
+
+
+}
+
+///
+/// Attribute to mark methods as part of the JSON API. Only methods marked with this attribute will be returned by GetApiMethods and intended to be called through the JSON API.
+///
+public class DeviceActionWrapper
+{
+ ///
+ /// The key of the device to call the method on
+ ///
+ public string DeviceKey { get; set; }
+
+ ///
+ /// The name of the method to call
+ ///
+ public string MethodName { get; set; }
+
+ ///
+ /// The parameters to pass to the method. This should be an array of objects matching the parameters of the method being called. If the method has no parameters, this can be omitted or set to null.
+ ///
+ public object[] Params { get; set; }
+}
+
+///
+/// Helper class for serializing properties with their name, type, and value, and whether they can be read or written to.
+///
+public class PropertyNameType
+{
+ private object Parent;
+
+ ///
+ /// The PropertyInfo for the property being represented. This is ignored for JSON serialization.
+ ///
+ [JsonIgnore]
+ public PropertyInfo PropInfo { get; private set; }
+
+ ///
+ /// The name of the property
+ ///
+ public string Name { get { return PropInfo.Name; } }
+
+ ///
+ /// The type of the property
+ ///
+ public string Type { get { return PropInfo.PropertyType.Name; } }
+
+ ///
+ /// The value of the property, or null if the property cannot be read or an error occurs when trying to read it.
+ ///
+ public string Value
+ {
+ get
{
- get
+ if (PropInfo.CanRead)
{
- return MethodInfo.GetParameters().Select(p =>
- new NameType { Name = p.Name, Type = p.ParameterType.Name });
+ try
+ {
+ return PropInfo.GetValue(Parent, null).ToString();
+ }
+ catch (Exception)
+ {
+ return null;
+ }
}
+ else
+ return null;
}
+ }
- ///
- /// MethodNameParams constructor
- ///
- /// method info
- public MethodNameParams(MethodInfo info)
+ ///
+ /// Indicates whether the property can be read from
+ ///
+ public bool CanRead { get { return PropInfo.CanRead; } }
+ ///
+ /// Indicates whether the property can be written to
+ ///
+ public bool CanWrite { get { return PropInfo.CanWrite; } }
+
+
+ ///
+ /// Constructor
+ ///
+ ///
+ ///
+ public PropertyNameType(PropertyInfo info, object parent)
+ {
+ PropInfo = info;
+ Parent = parent;
+ }
+}
+
+///
+/// Helper class for serializing methods with their name and parameters. The MethodInfo is ignored for JSON serialization.
+///
+public class MethodNameParams
+{
+ ///
+ /// The MethodInfo for the method being represented. This is ignored for JSON serialization.
+ ///
+ [JsonIgnore]
+ public MethodInfo MethodInfo { get; private set; }
+
+ ///
+ /// The name of the method
+ ///
+ public string Name { get { return MethodInfo.Name; } }
+
+ ///
+ /// The parameters of the method, represented as an array of NameType objects with the parameter name and type.
+ ///
+ public IEnumerable Params
+ {
+ get
{
- MethodInfo = info;
+ return MethodInfo.GetParameters().Select(p =>
+ new NameType { Name = p.Name, Type = p.ParameterType.Name });
}
}
///
- /// Represents a NameType
+ /// Constructor
///
- public class NameType
+ ///
+ public MethodNameParams(MethodInfo info)
{
- ///
- /// Gets or sets the Name
- ///
- public string Name { get; set; }
- ///
- /// Gets or sets the Type
- ///
- public string Type { get; set; }
+ MethodInfo = info;
}
+}
+
+///
+/// Helper class for serializing a name and type pair, used for method parameters in MethodNameParams.
+///
+public class NameType
+{
+ ///
+ /// The name of the parameter
+ ///
+ public string Name { get; set; }
///
- /// Represents a ApiAttribute
+ /// The type of the parameter
///
- [AttributeUsage(AttributeTargets.All)]
- public class ApiAttribute : Attribute
- {
+ public string Type { get; set; }
+}
+
+///
+/// Attribute to mark methods as part of the JSON API. Only methods marked with this attribute will be returned by GetApiMethods and intended to be called through the JSON API.
+///
+[AttributeUsage(AttributeTargets.All)]
+public class ApiAttribute : Attribute
+{
- }
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Devices/DisplayUiConstants.cs b/src/PepperDash.Essentials.Core/Devices/DisplayUiConstants.cs
index 1c6ae244..39e7067b 100644
--- a/src/PepperDash.Essentials.Core/Devices/DisplayUiConstants.cs
+++ b/src/PepperDash.Essentials.Core/Devices/DisplayUiConstants.cs
@@ -4,8 +4,8 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Essentials.Core
-{
+namespace PepperDash.Essentials.Core;
+
///
/// Integers that represent the "source type number" for given sources.
/// Primarily used by the UI to calculate subpage join offsets
@@ -62,5 +62,4 @@ namespace PepperDash.Essentials.Core
/// TypeNoControls constant
///
public const uint TypeNoControls = 49;
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Devices/EssentialsBridgeableDevice.cs b/src/PepperDash.Essentials.Core/Devices/EssentialsBridgeableDevice.cs
index 0b1a5ff7..23b06e9a 100644
--- a/src/PepperDash.Essentials.Core/Devices/EssentialsBridgeableDevice.cs
+++ b/src/PepperDash.Essentials.Core/Devices/EssentialsBridgeableDevice.cs
@@ -1,31 +1,17 @@
using Crestron.SimplSharpPro.DeviceSupport;
using PepperDash.Essentials.Core.Bridges;
-namespace PepperDash.Essentials.Core
+namespace PepperDash.Essentials.Core;
+
+public abstract class EssentialsBridgeableDevice:EssentialsDevice, IBridgeAdvanced
{
- ///
- /// Base class for devices that can be bridged to an EISC API.
- ///
- public abstract class EssentialsBridgeableDevice : EssentialsDevice, IBridgeAdvanced
+ protected EssentialsBridgeableDevice(string key) : base(key)
{
- ///
- /// Initializes a new instance of the class with the specified key.
- ///
- /// The unique key for the device.
- protected EssentialsBridgeableDevice(string key) : base(key)
- {
- }
-
- ///
- /// Initializes a new instance of the class with the specified key and name.
- ///
- /// The unique key for the device.
- /// The display name for the device.
- protected EssentialsBridgeableDevice(string key, string name) : base(key, name)
- {
- }
-
- ///
- public abstract void LinkToApi(BasicTriList trilist, uint joinStart, string joinMapKey, EiscApiAdvanced bridge);
}
+
+ protected EssentialsBridgeableDevice(string key, string name) : base(key, name)
+ {
+ }
+
+ public abstract void LinkToApi(BasicTriList trilist, uint joinStart, string joinMapKey, EiscApiAdvanced bridge);
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Devices/EssentialsDevice.cs b/src/PepperDash.Essentials.Core/Devices/EssentialsDevice.cs
index 41b46c29..3b4f3789 100644
--- a/src/PepperDash.Essentials.Core/Devices/EssentialsDevice.cs
+++ b/src/PepperDash.Essentials.Core/Devices/EssentialsDevice.cs
@@ -5,185 +5,225 @@ using PepperDash.Core;
using PepperDash.Essentials.Core.Config;
using Serilog.Events;
-namespace PepperDash.Essentials.Core
+namespace PepperDash.Essentials.Core;
+
+///
+/// Defines the basic needs for an EssentialsDevice to enable it to be build by an IDeviceFactory class
+///
+[Description("The base Essentials Device Class")]
+public abstract class EssentialsDevice : Device
{
///
- /// Defines the basic needs for an EssentialsDevice to enable it to be build by an IDeviceFactory class
+ /// Event that fires when the device has completed initialization. This is useful for any setup that needs to occur after all devices have been activated.
///
- [Description("The base Essentials Device Class")]
- public abstract class EssentialsDevice : Device
+ public event EventHandler Initialized;
+
+ private bool _isInitialized;
+
+ ///
+ /// Indicates whether the device has completed initialization. Initialization occurs after all devices have been activated, and is triggered by the DeviceManager.AllDevicesActivated event. This property can be used to determine when it is safe to perform actions that require all devices to be active.
+ ///
+ public bool IsInitialized
{
- ///
- /// Event raised when the device is initialized.
- ///
- public event EventHandler Initialized;
-
- private bool _isInitialized;
-
- ///
- /// Gets a value indicating whether the device is initialized.
- ///
- public bool IsInitialized
+ get { return _isInitialized; }
+ private set
{
- get { return _isInitialized; }
- private set
+ if (_isInitialized == value) return;
+
+ _isInitialized = value;
+
+ if (_isInitialized)
{
- if (_isInitialized == value) return;
-
- _isInitialized = value;
-
- if (_isInitialized)
- {
- Initialized?.Invoke(this, new EventArgs());
- }
+ Initialized?.Invoke(this, new EventArgs());
}
}
-
- ///
- /// Initializes a new instance of the EssentialsDevice class.
- ///
- /// The unique identifier for the device.
- protected EssentialsDevice(string key)
- : base(key)
- {
- SubscribeToActivateComplete();
- }
-
- ///
- /// Initializes a new instance of the EssentialsDevice class.
- ///
- /// The unique identifier for the device.
- /// The name of the device.
- protected EssentialsDevice(string key, string name)
- : base(key, name)
- {
- SubscribeToActivateComplete();
- }
-
- private void SubscribeToActivateComplete()
- {
- DeviceManager.AllDevicesActivated += DeviceManagerOnAllDevicesActivated;
- }
-
- private void DeviceManagerOnAllDevicesActivated(object sender, EventArgs eventArgs)
- {
- Task.Run(() =>
- {
- try
- {
- Initialize();
-
- IsInitialized = true;
- }
- catch (Exception ex)
- {
- Debug.LogMessage(LogEventLevel.Error, this, "Exception initializing device: {0}", ex.Message);
- Debug.LogMessage(LogEventLevel.Debug, this, "Stack Trace: {0}", ex.StackTrace);
- }
- });
- }
-
- ///
- /// CustomActivate method
- ///
- ///
- public override bool CustomActivate()
- {
- CreateMobileControlMessengers();
-
- return base.CustomActivate();
- }
-
- ///
- /// Override this method to build and create custom Mobile Control Messengers during the Activation phase
- ///
- protected virtual void CreateMobileControlMessengers()
- {
-
- }
- }
-
- [AttributeUsage(AttributeTargets.Class, Inherited = true, AllowMultiple = true)]
- public class DescriptionAttribute : Attribute
- {
- private string _Description;
-
- public DescriptionAttribute(string description)
- {
- //Debug.LogMessage(LogEventLevel.Verbose, "Setting Description: {0}", description);
- _Description = description;
- }
-
- public string Description
- {
- get { return _Description; }
- }
- }
-
- [AttributeUsage(AttributeTargets.Class, Inherited = true, AllowMultiple = true)]
- public class ConfigSnippetAttribute : Attribute
- {
- private string _ConfigSnippet;
-
- public ConfigSnippetAttribute(string configSnippet)
- {
- //Debug.LogMessage(LogEventLevel.Verbose, "Setting Config Snippet {0}", configSnippet);
- _ConfigSnippet = configSnippet;
- }
-
- public string ConfigSnippet
- {
- get { return _ConfigSnippet; }
- }
}
///
- /// Represents a factory for creating processor extension devices.
+ /// Constructor
///
- /// The type of the processor extension device.
- public abstract class ProcessorExtensionDeviceFactory : IProcessorExtensionDeviceFactory where T : EssentialsDevice
+ ///
+ protected EssentialsDevice(string key)
+ : base(key)
{
- #region IProcessorExtensionDeviceFactory Members
-
- ///
- /// A list of strings that can be used in the type property of a DeviceConfig object to build an instance of this device
- ///
- public List TypeNames { get; protected set; }
-
- ///
- /// Loads an item to the ProcessorExtensionDeviceFactory.ProcessorExtensionFactoryMethods dictionary for each entry in the TypeNames list
- ///
- public void LoadFactories()
- {
- foreach (var typeName in TypeNames)
- {
- //Debug.LogMessage(LogEventLevel.Verbose, "Getting Description Attribute from class: '{0}'", typeof(T).FullName);
- var descriptionAttribute = typeof(T).GetCustomAttributes(typeof(DescriptionAttribute), true) as DescriptionAttribute[];
- string description = descriptionAttribute[0].Description;
- var snippetAttribute = typeof(T).GetCustomAttributes(typeof(ConfigSnippetAttribute), true) as ConfigSnippetAttribute[];
- ProcessorExtensionDeviceFactory.AddFactoryForType(typeName.ToLower(), description, typeof(T), BuildDevice);
- }
- }
-
- ///
- /// The method that will build the device
- ///
- /// The device config
- /// An instance of the device
- public abstract EssentialsDevice BuildDevice(DeviceConfig dc);
-
- #endregion
-
+ SubscribeToActivateComplete();
}
///
- /// Devices the basic needs for a Device Factory
+ /// Constructor
///
- public abstract class EssentialsPluginDeviceFactory : EssentialsDeviceFactory, IPluginDeviceFactory where T : EssentialsDevice
+ ///
+ ///
+ protected EssentialsDevice(string key, string name)
+ : base(key, name)
{
- ///
- /// Specifies the minimum version of Essentials required for a plugin to run. Must use the format Major.Minor.Build (ex. "1.4.33")
- ///
- public string MinimumEssentialsFrameworkVersion { get; protected set; }
+ SubscribeToActivateComplete();
}
+
+ private void SubscribeToActivateComplete()
+ {
+ DeviceManager.AllDevicesActivated += DeviceManagerOnAllDevicesActivated;
+ }
+
+ private void DeviceManagerOnAllDevicesActivated(object sender, EventArgs eventArgs)
+ {
+ Task.Run(() =>
+ {
+ try
+ {
+ Initialize();
+
+ IsInitialized = true;
+ }
+ catch (Exception ex)
+ {
+ Debug.LogMessage(LogEventLevel.Error, this, "Exception initializing device: {0}", ex.Message);
+ Debug.LogMessage(LogEventLevel.Debug, this, "Stack Trace: {0}", ex.StackTrace);
+ }
+ });
+ }
+
+ ///
+ /// Override this method to perform any initialization that requires all devices to be activated. This method is called automatically after the DeviceManager.AllDevicesActivated event is fired, and should not be called directly.
+ ///
+ ///
+ public override bool CustomActivate()
+ {
+ CreateMobileControlMessengers();
+
+ return base.CustomActivate();
+ }
+
+ ///
+ /// Override this method to build and create custom Mobile Control Messengers during the Activation phase
+ ///
+ protected virtual void CreateMobileControlMessengers()
+ {
+
+ }
+}
+
+///
+/// Provides a description for a device that can be used in the UI and other areas where a human-readable description of the device is needed.
+///
+[AttributeUsage(AttributeTargets.Class, Inherited = true, AllowMultiple = true)]
+public class DescriptionAttribute : Attribute
+{
+ private string _Description;
+
+ ///
+ /// Constructor
+ ///
+ ///
+ public DescriptionAttribute(string description)
+ {
+ //Debug.LogMessage(LogEventLevel.Verbose, "Setting Description: {0}", description);
+ _Description = description;
+ }
+
+ ///
+ /// Gets the description of the device
+ ///
+ public string Description
+ {
+ get { return _Description; }
+ }
+}
+
+///
+/// Provides a configuration snippet for a device that can be used in the UI and other areas where a sample configuration of the device is needed. This is especially useful for plugin developers to provide users with an example of how to configure their device.
+///
+[AttributeUsage(AttributeTargets.Class, Inherited = true, AllowMultiple = true)]
+public class ConfigSnippetAttribute : Attribute
+{
+ private string _ConfigSnippet;
+
+ ///
+ /// Constructor
+ ///
+ ///
+ public ConfigSnippetAttribute(string configSnippet)
+ {
+ //Debug.LogMessage(LogEventLevel.Verbose, "Setting Config Snippet {0}", configSnippet);
+ _ConfigSnippet = configSnippet;
+ }
+
+ ///
+ /// Gets the configuration snippet for the device
+ ///
+ public string ConfigSnippet
+ {
+ get { return _ConfigSnippet; }
+ }
+}
+
+///
+/// Provides a base class for creating device factories specifically designed for processor extension development in the Essentials framework. This class implements the IProcessorExtensionDeviceFactory interface and provides a structure for defining type names and building devices based on a DeviceConfig object.
+///
+/// The type of device that this factory creates. Must derive from .
+public abstract class ProcessorExtensionDeviceFactory : IProcessorExtensionDeviceFactory where T : EssentialsDevice
+{
+ #region IProcessorExtensionDeviceFactory Members
+
+ ///
+ /// A list of strings that can be used in the type property of a DeviceConfig object to build an instance of this device
+ ///
+ public List TypeNames { get; protected set; }
+
+ ///
+ /// Loads an item to the ProcessorExtensionDeviceFactory.ProcessorExtensionFactoryMethods dictionary for each entry in the TypeNames list
+ ///
+ public void LoadFactories()
+ {
+ foreach (var typeName in TypeNames)
+ {
+ //Debug.LogMessage(LogEventLevel.Verbose, "Getting Description Attribute from class: '{0}'", typeof(T).FullName);
+ var descriptionAttribute = typeof(T).GetCustomAttributes(typeof(DescriptionAttribute), true) as DescriptionAttribute[];
+ string description = descriptionAttribute[0].Description;
+ var snippetAttribute = typeof(T).GetCustomAttributes(typeof(ConfigSnippetAttribute), true) as ConfigSnippetAttribute[];
+ ProcessorExtensionDeviceFactory.AddFactoryForType(typeName.ToLower(), description, typeof(T), BuildDevice);
+ }
+ }
+
+ ///
+ /// The method that will build the device
+ ///
+ /// The device config
+ /// An instance of the device
+ public abstract EssentialsDevice BuildDevice(DeviceConfig dc);
+
+ #endregion
+
+}
+
+///
+/// Devices the basic needs for a Device Factory
+///
+public abstract class EssentialsPluginDeviceFactory : EssentialsDeviceFactory, IPluginDeviceFactory where T : EssentialsDevice
+{
+ ///
+ /// Specifies the minimum version of Essentials required for a plugin to run. Must use the format Major.Minor.Build (ex. "1.4.33")
+ ///
+ public string MinimumEssentialsFrameworkVersion { get; protected set; }
+}
+
+///
+/// Provides a base class for creating device factories specifically designed for plugin development in the Essentials
+/// framework.
+///
+/// This class is intended to be used by developers creating plugins for the Essentials framework. It
+/// includes properties to specify the minimum required Essentials framework version and to track framework versions
+/// used during development.
+/// The type of device that this factory creates. Must derive from .
+public abstract class EssentialsPluginDevelopmentDeviceFactory : EssentialsDeviceFactory, IPluginDevelopmentDeviceFactory where T : EssentialsDevice
+{
+ ///
+ /// Specifies the minimum version of Essentials required for a plugin to run. Must use the format Major.Minor.Build (ex. "1.4.33")
+ ///
+ public string MinimumEssentialsFrameworkVersion { get; protected set; }
+
+ ///
+ /// A list of Essentials framework versions that were used during the development of the plugin. This can be used to track which versions of the framework the plugin is compatible with, and can be helpful for users when determining whether a plugin will work with their current version of the Essentials framework.
+ ///
+ public List DevelopmentEssentialsFrameworkVersions { get; protected set; }
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Devices/EssentialsDeviceFactory.cs b/src/PepperDash.Essentials.Core/Devices/EssentialsDeviceFactory.cs
index bf635c0c..3f105628 100644
--- a/src/PepperDash.Essentials.Core/Devices/EssentialsDeviceFactory.cs
+++ b/src/PepperDash.Essentials.Core/Devices/EssentialsDeviceFactory.cs
@@ -2,31 +2,29 @@
using System.Collections.Generic;
using PepperDash.Essentials.Core.Config;
-namespace PepperDash.Essentials.Core
+namespace PepperDash.Essentials.Core;
+
+///
+/// Devices the basic needs for a Device Factory
+///
+public abstract class EssentialsDeviceFactory : IDeviceFactory where T:EssentialsDevice
{
+ #region IDeviceFactory Members
+
+ ///
+ public Type FactoryType => typeof(T);
+
///
- /// Devices the basic needs for a Device Factory
+ /// A list of strings that can be used in the type property of a DeviceConfig object to build an instance of this device
///
- public abstract class EssentialsDeviceFactory : IDeviceFactory where T:EssentialsDevice
- {
- #region IDeviceFactory Members
+ public List TypeNames { get; protected set; }
- ///
- public Type FactoryType => typeof(T);
-
- ///
- /// A list of strings that can be used in the type property of a DeviceConfig object to build an instance of this device
- ///
- public List TypeNames { get; protected set; }
-
- ///
- /// The method that will build the device
- ///
- /// The device config
- /// An instance of the device
- public abstract EssentialsDevice BuildDevice(DeviceConfig dc);
-
- #endregion
- }
+ ///
+ /// The method that will build the device
+ ///
+ /// The device config
+ /// An instance of the device
+ public abstract EssentialsDevice BuildDevice(DeviceConfig dc);
+ #endregion
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Devices/GenericIRController.cs b/src/PepperDash.Essentials.Core/Devices/GenericIRController.cs
index a55235e6..77bb4fc3 100644
--- a/src/PepperDash.Essentials.Core/Devices/GenericIRController.cs
+++ b/src/PepperDash.Essentials.Core/Devices/GenericIRController.cs
@@ -11,84 +11,68 @@ using PepperDash.Essentials.Core.Config;
using PepperDash.Essentials.Core.Bridges.JoinMaps;
using Serilog.Events;
-namespace PepperDash.Essentials.Core.Devices
+namespace PepperDash.Essentials.Core.Devices;
+
+public class GenericIrController: EssentialsBridgeableDevice
{
- ///
- /// Represents a GenericIrController
- ///
- public class GenericIrController: EssentialsBridgeableDevice
+ //data storage for bridging
+ private BasicTriList _trilist;
+ private uint _joinStart;
+ private string _joinMapKey;
+ private EiscApiAdvanced _bridge;
+
+ private readonly IrOutputPortController _port;
+
+ public string[] IrCommands {get { return _port.IrFileCommands; }}
+
+ public GenericIrController(string key, string name, IrOutputPortController irPort) : base(key, name)
{
- //data storage for bridging
- private BasicTriList _trilist;
- private uint _joinStart;
- private string _joinMapKey;
- private EiscApiAdvanced _bridge;
-
- private readonly IrOutputPortController _port;
-
- ///
- /// Gets or sets the IrCommands
- ///
- public string[] IrCommands {get { return _port.IrFileCommands; }}
-
- ///
- /// Constructor
- ///
- /// key for the device
- /// name of the device
- /// IR output port controller
- public GenericIrController(string key, string name, IrOutputPortController irPort) : base(key, name)
+ _port = irPort;
+ if (_port == null)
{
- _port = irPort;
- if (_port == null)
- {
- Debug.LogMessage(LogEventLevel.Information, this, "IR Port is null, device will not function");
- return;
- }
- DeviceManager.AddDevice(_port);
+ Debug.LogMessage(LogEventLevel.Information, this, "IR Port is null, device will not function");
+ return;
+ }
+ DeviceManager.AddDevice(_port);
- _port.DriverLoaded.OutputChange += DriverLoadedOnOutputChange;
+ _port.DriverLoaded.OutputChange += DriverLoadedOnOutputChange;
+ }
+
+ private void DriverLoadedOnOutputChange(object sender, FeedbackEventArgs args)
+ {
+ if (!args.BoolValue)
+ {
+ return;
}
- private void DriverLoadedOnOutputChange(object sender, FeedbackEventArgs args)
+ if (_trilist == null || _bridge == null)
{
- if (!args.BoolValue)
- {
- return;
- }
-
- if (_trilist == null || _bridge == null)
- {
- return;
- }
-
- LinkToApi(_trilist, _joinStart, _joinMapKey, _bridge);
+ return;
}
- #region Overrides of EssentialsBridgeableDevice
+ LinkToApi(_trilist, _joinStart, _joinMapKey, _bridge);
+ }
- ///
- /// LinkToApi method
- ///
- ///
- public override void LinkToApi(BasicTriList trilist, uint joinStart, string joinMapKey, EiscApiAdvanced bridge)
+ #region Overrides of EssentialsBridgeableDevice
+
+ public override void LinkToApi(BasicTriList trilist, uint joinStart, string joinMapKey, EiscApiAdvanced bridge)
+ {
+ //if driver isn't loaded yet, store the variables until it is loaded, then call the LinkToApi method again
+ if (!_port.DriverIsLoaded)
{
- //if driver isn't loaded yet, store the variables until it is loaded, then call the LinkToApi method again
- if (!_port.DriverIsLoaded)
- {
- _trilist = trilist;
- _joinStart = joinStart;
- _joinMapKey = joinMapKey;
- _bridge = bridge;
- return;
- }
+ _trilist = trilist;
+ _joinStart = joinStart;
+ _joinMapKey = joinMapKey;
+ _bridge = bridge;
+ return;
+ }
- var joinMap = new GenericIrControllerJoinMap(joinStart);
+ var joinMap = new GenericIrControllerJoinMap(joinStart);
- var joinMapSerialized = JoinMapHelper.GetSerializedJoinMapForDevice(joinMapKey);
+ var joinMapSerialized = JoinMapHelper.GetSerializedJoinMapForDevice(joinMapKey);
- if (!string.IsNullOrEmpty(joinMapSerialized))
- joinMap = JsonConvert.DeserializeObject(joinMapSerialized);
+ if (!string.IsNullOrEmpty(joinMapSerialized))
+ joinMap = JsonConvert.DeserializeObject(joinMapSerialized);
if (_port.UseBridgeJoinMap)
{
@@ -150,56 +134,42 @@ namespace PepperDash.Essentials.Core.Devices
}
}
- joinMap.PrintJoinMapInfo();
+ joinMap.PrintJoinMapInfo();
- if (bridge != null)
- {
- bridge.AddJoinMap(Key, joinMap);
- }
- else
- {
- Debug.LogMessage(LogEventLevel.Information, this, "Please update config to use 'eiscapiadvanced' to get all join map features for this device.");
- }
- }
-
- #endregion
-
- ///
- /// Press method
- ///
- public void Press(string command, bool pressRelease)
+ if (bridge != null)
{
- _port.PressRelease(command, pressRelease);
+ bridge.AddJoinMap(Key, joinMap);
+ }
+ else
+ {
+ Debug.LogMessage(LogEventLevel.Information, this, "Please update config to use 'eiscapiadvanced' to get all join map features for this device.");
}
}
- ///
- /// Represents a GenericIrControllerFactory
- ///
- public class GenericIrControllerFactory : EssentialsDeviceFactory
+ #endregion
+
+ public void Press(string command, bool pressRelease)
{
- ///
- /// Constructor
- ///
- public GenericIrControllerFactory()
- {
- TypeNames = new List {"genericIrController"};
- }
- #region Overrides of EssentialsDeviceFactory
-
- ///
- /// BuildDevice method
- ///
- ///
- public override EssentialsDevice BuildDevice(DeviceConfig dc)
- {
- Debug.LogMessage(LogEventLevel.Debug, "Factory Attempting to create new Generic IR Controller Device");
-
- var irPort = IRPortHelper.GetIrOutputPortController(dc);
-
- return new GenericIrController(dc.Key, dc.Name, irPort);
- }
-
- #endregion
+ _port.PressRelease(command, pressRelease);
}
+}
+
+public class GenericIrControllerFactory : EssentialsDeviceFactory
+{
+ public GenericIrControllerFactory()
+ {
+ TypeNames = new List {"genericIrController"};
+ }
+ #region Overrides of EssentialsDeviceFactory
+
+ public override EssentialsDevice BuildDevice(DeviceConfig dc)
+ {
+ Debug.LogMessage(LogEventLevel.Debug, "Factory Attempting to create new Generic IR Controller Device");
+
+ var irPort = IRPortHelper.GetIrOutputPortController(dc);
+
+ return new GenericIrController(dc.Key, dc.Name, irPort);
+ }
+
+ #endregion
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Devices/GenericMonitoredTcpDevice.cs b/src/PepperDash.Essentials.Core/Devices/GenericMonitoredTcpDevice.cs
index 148a9cac..f43bf8a3 100644
--- a/src/PepperDash.Essentials.Core/Devices/GenericMonitoredTcpDevice.cs
+++ b/src/PepperDash.Essentials.Core/Devices/GenericMonitoredTcpDevice.cs
@@ -8,10 +8,10 @@ using PepperDash.Core;
using Serilog.Events;
-namespace PepperDash.Essentials.Core.Devices
-{
+namespace PepperDash.Essentials.Core.Devices;
+
///
- /// Represents a GenericCommunicationMonitoredDevice
+ /// A device that monitors the communication status of a communication client. Useful for monitoring TCP, serial, or telnet clients.
///
public class GenericCommunicationMonitoredDevice : Device, ICommunicationMonitor
{
@@ -77,5 +77,4 @@ namespace PepperDash.Essentials.Core.Devices
CommunicationMonitor.Stop();
return true;
}
- }
-}
\ No newline at end of file
+ }
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Devices/IAttachVideoStatusExtensions.cs b/src/PepperDash.Essentials.Core/Devices/IAttachVideoStatusExtensions.cs
index 83914f6f..4d28fa18 100644
--- a/src/PepperDash.Essentials.Core/Devices/IAttachVideoStatusExtensions.cs
+++ b/src/PepperDash.Essentials.Core/Devices/IAttachVideoStatusExtensions.cs
@@ -4,42 +4,41 @@ using System.Linq;
using System.Text;
using Crestron.SimplSharp;
-namespace PepperDash.Essentials.Core
+namespace PepperDash.Essentials.Core;
+
+///
+/// Interface for devices that can be attached to a port that provides video status information. Provides an extension method for getting that status information.
+///
+public static class IAttachVideoStatusExtensions
{
///
- /// IAttachVideoStatusExtensions class
+ /// Gets the VideoStatusOutputs for the device
///
- public static class IAttachVideoStatusExtensions
+ ///
+ /// Attached VideoStatusOutputs or the default if none attached
+ public static VideoStatusOutputs GetVideoStatuses(this IAttachVideoStatus attachedDev)
{
- ///
- /// Gets the VideoStatusOutputs for the device
- ///
- ///
- /// Attached VideoStatusOutputs or the default if none attached
- public static VideoStatusOutputs GetVideoStatuses(this IAttachVideoStatus attachedDev)
+ // See if this device is connected to a status-providing port
+ var tl = TieLineCollection.Default.FirstOrDefault(t =>
+ t.SourcePort.ParentDevice == attachedDev
+ && t.DestinationPort is RoutingInputPortWithVideoStatuses);
+ if (tl != null)
{
- // See if this device is connected to a status-providing port
- var tl = TieLineCollection.Default.FirstOrDefault(t =>
- t.SourcePort.ParentDevice == attachedDev
- && t.DestinationPort is RoutingInputPortWithVideoStatuses);
- if (tl != null)
- {
- // if so, and it's got status, return it -- or null
- var port = tl.DestinationPort as RoutingInputPortWithVideoStatuses;
- if (port != null)
- return port.VideoStatus;
- }
- return VideoStatusOutputs.NoStatus;
+ // if so, and it's got status, return it -- or null
+ var port = tl.DestinationPort as RoutingInputPortWithVideoStatuses;
+ if (port != null)
+ return port.VideoStatus;
}
+ return VideoStatusOutputs.NoStatus;
+ }
- ///
- /// HasVideoStatuses method
- ///
- public static bool HasVideoStatuses(this IAttachVideoStatus attachedDev)
- {
- return TieLineCollection.Default.FirstOrDefault(t =>
- t.SourcePort.ParentDevice == attachedDev
- && t.DestinationPort is RoutingInputPortWithVideoStatuses) != null;
- }
+ ///
+ /// HasVideoStatuses method
+ ///
+ public static bool HasVideoStatuses(this IAttachVideoStatus attachedDev)
+ {
+ return TieLineCollection.Default.FirstOrDefault(t =>
+ t.SourcePort.ParentDevice == attachedDev
+ && t.DestinationPort is RoutingInputPortWithVideoStatuses) != null;
}
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Devices/IHasFeedbacks.cs b/src/PepperDash.Essentials.Core/Devices/IHasFeedbacks.cs
index 330538e0..9752d0e7 100644
--- a/src/PepperDash.Essentials.Core/Devices/IHasFeedbacks.cs
+++ b/src/PepperDash.Essentials.Core/Devices/IHasFeedbacks.cs
@@ -48,42 +48,40 @@ namespace PepperDash.Essentials.Core
///
public static void DumpFeedbacksToConsole(this IHasFeedback source, bool getCurrentStates)
{
+ Type t = source.GetType();
+ // get the properties and set them into a new collection of NameType wrappers
+ var props = t.GetProperties().Select(p => new PropertyNameType(p, t));
+
var feedbacks = source.Feedbacks;
if (feedbacks == null || feedbacks.Count == 0)
{
- CrestronConsole.ConsoleCommandResponse("No available feedbacks\r\n");
- return;
- }
-
- CrestronConsole.ConsoleCommandResponse("Available feedbacks:\r\n");
-
- // Sort feedbacks by type first, then by key
- var sortedFeedbacks = feedbacks.OrderBy(f => GetFeedbackTypeName(f)).ThenBy(f => string.IsNullOrEmpty(f.Key) ? "" : f.Key);
-
- foreach (var feedback in sortedFeedbacks)
- {
- string value = "";
- string type = "";
- if (getCurrentStates)
+ Debug.LogMessage(LogEventLevel.Information, source, "\n\nAvailable feedbacks:");
+ foreach (var f in feedbacks)
{
- if (feedback is BoolFeedback)
+ string val = "";
+ string type = "";
+ if (getCurrentStates)
{
- value = feedback.BoolValue.ToString();
- type = "boolean";
- }
- else if (feedback is IntFeedback)
- {
- value = feedback.IntValue.ToString();
- type = "integer";
- }
- else if (feedback is StringFeedback)
- {
- value = feedback.StringValue;
- type = "string";
+ if (f is BoolFeedback)
+ {
+ val = f.BoolValue.ToString();
+ type = "boolean";
+ }
+ else if (f is IntFeedback)
+ {
+ val = f.IntValue.ToString();
+ type = "integer";
+ }
+ else if (f is StringFeedback)
+ {
+ val = f.StringValue;
+ type = "string";
+ }
}
+ Debug.LogMessage(LogEventLevel.Information, "{0,-12} {1, -25} {2}", type,
+ (string.IsNullOrEmpty(f.Key) ? "-no key-" : f.Key), val);
}
- CrestronConsole.ConsoleCommandResponse($" {type,-12} {(string.IsNullOrEmpty(feedback.Key) ? "-no key-" : feedback.Key),-25} {value}\r\n");
}
}
}
diff --git a/src/PepperDash.Essentials.Core/Devices/IProjectorInterfaces.cs b/src/PepperDash.Essentials.Core/Devices/IProjectorInterfaces.cs
index d6473e64..d43c6e3b 100644
--- a/src/PepperDash.Essentials.Core/Devices/IProjectorInterfaces.cs
+++ b/src/PepperDash.Essentials.Core/Devices/IProjectorInterfaces.cs
@@ -1,41 +1,34 @@
-using System;
-using System.Collections.Generic;
-using System.Linq;
-using System.Text;
-using Crestron.SimplSharp;
+namespace PepperDash.Essentials.Core;
-namespace PepperDash.Essentials.Core
+///
+/// Defines the contract for IBasicVideoMute
+///
+public interface IBasicVideoMute
{
///
- /// Defines the contract for IBasicVideoMute
+ /// Toggles the video mute
///
- public interface IBasicVideoMute
- {
- ///
- /// Toggles the video mute
- ///
- void VideoMuteToggle();
- }
+ void VideoMuteToggle();
+}
+
+///
+/// Defines the contract for IBasicVideoMuteWithFeedback
+///
+public interface IBasicVideoMuteWithFeedback : IBasicVideoMute
+{
+ ///
+ /// Gets the VideoMuteIsOn feedback
+ ///
+ BoolFeedback VideoMuteIsOn { get; }
///
- /// Defines the contract for IBasicVideoMuteWithFeedback
+ /// Sets the video mute on
///
- public interface IBasicVideoMuteWithFeedback : IBasicVideoMute
- {
- ///
- /// Gets the VideoMuteIsOn feedback
- ///
- BoolFeedback VideoMuteIsOn { get; }
+ void VideoMuteOn();
- ///
- /// Sets the video mute on
- ///
- void VideoMuteOn();
+ ///
+ /// Sets the video mute off
+ ///
+ void VideoMuteOff();
- ///
- /// Sets the video mute off
- ///
- void VideoMuteOff();
-
- }
-}
\ No newline at end of file
+}
diff --git a/src/PepperDash.Essentials.Core/Devices/IReconfigurableDevice.cs b/src/PepperDash.Essentials.Core/Devices/IReconfigurableDevice.cs
index 245c0a5c..7dca4f32 100644
--- a/src/PepperDash.Essentials.Core/Devices/IReconfigurableDevice.cs
+++ b/src/PepperDash.Essentials.Core/Devices/IReconfigurableDevice.cs
@@ -6,27 +6,27 @@ using Crestron.SimplSharp;
using PepperDash.Essentials.Core.Config;
-namespace PepperDash.Essentials.Core.Devices
+namespace PepperDash.Essentials.Core.Devices;
+
+
+///
+/// Defines the contract for IReconfigurableDevice
+///
+public interface IReconfigurableDevice
{
///
- /// Defines the contract for IReconfigurableDevice
+ /// Event fired when the configuration changes
///
- public interface IReconfigurableDevice
- {
- ///
- /// Event fired when the configuration changes
- ///
- event EventHandler ConfigChanged;
+ event EventHandler ConfigChanged;
- ///
- /// Gets the current DeviceConfig
- ///
- DeviceConfig Config { get; }
+ ///
+ /// Gets the current DeviceConfig
+ ///
+ DeviceConfig Config { get; }
- ///
- /// Sets the DeviceConfig
- ///
- /// config to set
- void SetConfig(DeviceConfig config);
- }
-}
\ No newline at end of file
+ ///
+ /// Sets the DeviceConfig
+ ///
+ /// config to set
+ void SetConfig(DeviceConfig config);
+}
diff --git a/src/PepperDash.Essentials.Core/Devices/IUsageTracking.cs b/src/PepperDash.Essentials.Core/Devices/IUsageTracking.cs
index 7edce646..4a45f0cc 100644
--- a/src/PepperDash.Essentials.Core/Devices/IUsageTracking.cs
+++ b/src/PepperDash.Essentials.Core/Devices/IUsageTracking.cs
@@ -6,143 +6,99 @@ using Crestron.SimplSharp;
using PepperDash.Core;
using Serilog.Events;
-namespace PepperDash.Essentials.Core
+namespace PepperDash.Essentials.Core;
+
+public interface IUsageTracking
{
- ///
- /// Defines the contract for IUsageTracking
- ///
- public interface IUsageTracking
+ UsageTracking UsageTracker { get; set; }
+}
+
+//public static class IUsageTrackingExtensions
+//{
+// public static void EnableUsageTracker(this IUsageTracking device)
+// {
+// device.UsageTracker = new UsageTracking();
+// }
+//}
+
+public class UsageTracking
+{
+ public event EventHandler DeviceUsageEnded;
+
+ public InUseTracking InUseTracker { get; protected set; }
+
+ public bool UsageIsTracked { get; set; }
+
+ public bool UsageTrackingStarted { get; protected set; }
+ public DateTime UsageStartTime { get; protected set; }
+ public DateTime UsageEndTime { get; protected set; }
+
+ public Device Parent { get; private set; }
+
+ public UsageTracking(Device parent)
{
- ///
- /// Gets or sets the UsageTracker
- ///
- UsageTracking UsageTracker { get; set; }
+ Parent = parent;
+
+ InUseTracker = new InUseTracking();
+
+ InUseTracker.InUseFeedback.OutputChange += InUseFeedback_OutputChange; //new EventHandler();
+ }
+
+ void InUseFeedback_OutputChange(object sender, EventArgs e)
+ {
+ if(InUseTracker.InUseFeedback.BoolValue)
+ {
+ StartDeviceUsage();
+ }
+ else
+ {
+ EndDeviceUsage();
+ }
}
- //public static class IUsageTrackingExtensions
- //{
- // public static void EnableUsageTracker(this IUsageTracking device)
- // {
- // device.UsageTracker = new UsageTracking();
- // }
- //}
///
- /// Represents a UsageTracking
+ /// Stores the usage start time
///
- public class UsageTracking
+ public void StartDeviceUsage()
{
- ///
- /// Event fired when device usage ends
- ///
- public event EventHandler DeviceUsageEnded;
+ UsageTrackingStarted = true;
+ UsageStartTime = DateTime.Now;
+ }
- ///
- /// Gets or sets the InUseTracker
- ///
- public InUseTracking InUseTracker { get; protected set; }
-
- ///
- /// Gets or sets the UsageIsTracked
- ///
- public bool UsageIsTracked { get; set; }
-
- ///
- /// Gets or sets the UsageTrackingStarted
- ///
- public bool UsageTrackingStarted { get; protected set; }
- ///
- /// Gets or sets the UsageStartTime
- ///
- public DateTime UsageStartTime { get; protected set; }
- ///
- /// Gets or sets the UsageEndTime
- ///
- public DateTime UsageEndTime { get; protected set; }
-
- ///
- /// Gets or sets the Parent
- ///
- public Device Parent { get; private set; }
-
- ///
- /// Constructor for UsageTracking class
- ///
- /// The parent device
- public UsageTracking(Device parent)
+ ///
+ /// Calculates the difference between the usage start and end times, gets the total minutes used and fires an event to pass that info to a consumer
+ ///
+ public void EndDeviceUsage()
+ {
+ try
{
- Parent = parent;
-
- InUseTracker = new InUseTracking();
+ UsageTrackingStarted = false;
- InUseTracker.InUseFeedback.OutputChange += InUseFeedback_OutputChange; //new EventHandler();
- }
+ UsageEndTime = DateTime.Now;
- void InUseFeedback_OutputChange(object sender, EventArgs e)
- {
- if(InUseTracker.InUseFeedback.BoolValue)
+ if (UsageStartTime != null)
{
- StartDeviceUsage();
- }
- else
- {
- EndDeviceUsage();
- }
- }
+ var timeUsed = UsageEndTime - UsageStartTime;
+ var handler = DeviceUsageEnded;
- ///
- /// StartDeviceUsage method
- ///
- public void StartDeviceUsage()
- {
- UsageTrackingStarted = true;
- UsageStartTime = DateTime.Now;
- }
-
- ///
- /// Calculates the difference between the usage start and end times, gets the total minutes used and fires an event to pass that info to a consumer
- ///
- public void EndDeviceUsage()
- {
- try
- {
- UsageTrackingStarted = false;
-
- UsageEndTime = DateTime.Now;
-
- if (UsageStartTime != null)
+ if (handler != null)
{
- var timeUsed = UsageEndTime - UsageStartTime;
-
- var handler = DeviceUsageEnded;
-
- if (handler != null)
- {
- Debug.LogMessage(LogEventLevel.Debug, "Device Usage Ended for: {0} at {1}. In use for {2} minutes.", Parent.Name, UsageEndTime, timeUsed.Minutes);
- handler(this, new DeviceUsageEventArgs() { UsageEndTime = UsageEndTime, MinutesUsed = timeUsed.Minutes });
- }
+ Debug.LogMessage(LogEventLevel.Debug, "Device Usage Ended for: {0} at {1}. In use for {2} minutes.", Parent.Name, UsageEndTime, timeUsed.Minutes);
+ handler(this, new DeviceUsageEventArgs() { UsageEndTime = UsageEndTime, MinutesUsed = timeUsed.Minutes });
}
}
- catch (Exception e)
- {
- Debug.LogMessage(LogEventLevel.Debug, "Error ending device usage: {0}", e);
- }
+ }
+ catch (Exception e)
+ {
+ Debug.LogMessage(LogEventLevel.Debug, "Error ending device usage: {0}", e);
}
}
+}
- ///
- /// Represents a DeviceUsageEventArgs
- ///
- public class DeviceUsageEventArgs : EventArgs
- {
- ///
- /// Gets or sets the UsageEndTime
- ///
- public DateTime UsageEndTime { get; set; }
- ///
- /// Gets or sets the MinutesUsed
- ///
- public int MinutesUsed { get; set; }
- }
+public class DeviceUsageEventArgs : EventArgs
+{
+ public DateTime UsageEndTime { get; set; }
+ public int MinutesUsed { get; set; }
}
\ No newline at end of file
diff --git a/src/PepperDash.Essentials.Core/Devices/IrOutputPortController.cs b/src/PepperDash.Essentials.Core/Devices/IrOutputPortController.cs
index 1f122735..feb6c126 100644
--- a/src/PepperDash.Essentials.Core/Devices/IrOutputPortController.cs
+++ b/src/PepperDash.Essentials.Core/Devices/IrOutputPortController.cs
@@ -1,232 +1,223 @@
-
-
-using System;
-using System.Collections.Generic;
-using System.Linq;
-using Crestron.SimplSharp;
+using System;
using Crestron.SimplSharpPro;
-using Crestron.SimplSharpPro.DeviceSupport;
using Newtonsoft.Json.Linq;
using PepperDash.Essentials.Core.Config;
-
-
using PepperDash.Core;
using Serilog.Events;
using System.IO;
using PepperDash.Core.Logging;
-namespace PepperDash.Essentials.Core
+namespace PepperDash.Essentials.Core;
+
+
+///
+/// IR port wrapper. May act standalone
+///
+public class IrOutputPortController : Device
{
+ uint IrPortUid;
+ IROutputPort IrPort;
///
- /// IR port wrapper. May act standalone
+ /// Gets the DriverLoaded feedback
///
- public class IrOutputPortController : Device
- {
- uint IrPortUid;
- IROutputPort IrPort;
+ public BoolFeedback DriverLoaded { get; private set; }
- ///
- /// Gets the DriverLoaded feedback
- ///
- public BoolFeedback DriverLoaded { get; private set; }
+ ///
+ /// Gets or sets the StandardIrPulseTime
+ ///
+ public ushort StandardIrPulseTime { get; set; }
- ///
- /// Gets or sets the StandardIrPulseTime
- ///
- public ushort StandardIrPulseTime { get; set; }
+ ///
+ /// Gets or sets the DriverFilepath
+ ///
+ public string DriverFilepath { get; private set; }
- ///
- /// Gets or sets the DriverFilepath
- ///
- public string DriverFilepath { get; private set; }
+ ///
+ /// Gets or sets the DriverIsLoaded
+ ///
+ public bool DriverIsLoaded { get; private set; }
- ///
- /// Gets or sets the DriverIsLoaded
- ///
- public bool DriverIsLoaded { get; private set; }
+ ///
+ /// Gets or sets the IrFileCommands
+ ///
+ public string[] IrFileCommands { get { return IrPort.AvailableStandardIRCmds(IrPortUid); } }
- ///
- /// Gets or sets the IrFileCommands
- ///
- public string[] IrFileCommands { get { return IrPort.AvailableStandardIRCmds(IrPortUid); } }
+ ///
+ /// Gets or sets the UseBridgeJoinMap
+ ///
+ public bool UseBridgeJoinMap { get; private set; }
- ///
- /// Gets or sets the UseBridgeJoinMap
- ///
- public bool UseBridgeJoinMap { get; private set; }
+ ///
+ /// Constructor for IrDevice base class. If a null port is provided, this class will
+ /// still function without trying to talk to a port.
+ ///
+ public IrOutputPortController(string key, IROutputPort port, string irDriverFilepath)
+ : base(key)
+ {
+ //if (port == null) throw new ArgumentNullException("port");
- ///
- /// Constructor for IrDevice base class. If a null port is provided, this class will
- /// still function without trying to talk to a port.
- ///
- public IrOutputPortController(string key, IROutputPort port, string irDriverFilepath)
- : base(key)
+ DriverLoaded = new BoolFeedback(() => DriverIsLoaded);
+ IrPort = port;
+ if (port == null)
{
- //if (port == null) throw new ArgumentNullException("port");
+ Debug.LogMessage(LogEventLevel.Information, this, "WARNING No valid IR Port assigned to controller. IR will not function");
+ return;
+ }
+ LoadDriver(irDriverFilepath);
+ }
- DriverLoaded = new BoolFeedback(() => DriverIsLoaded);
- IrPort = port;
- if (port == null)
+ ///
+ /// Constructor for IrDevice base class using post activation function to get port
+ ///
+ /// key of the device
+ /// function to call post activation
+ /// config of the device
+ public IrOutputPortController(string key, Func postActivationFunc,
+ DeviceConfig config)
+ : base(key)
+ {
+ DriverLoaded = new BoolFeedback(() => DriverIsLoaded);
+ UseBridgeJoinMap = config.Properties["control"].Value("useBridgeJoinMap");
+ AddPostActivationAction(() =>
+ {
+ IrPort = postActivationFunc(config);
+
+ if (IrPort == null)
{
Debug.LogMessage(LogEventLevel.Information, this, "WARNING No valid IR Port assigned to controller. IR will not function");
return;
}
- LoadDriver(irDriverFilepath);
- }
- ///
- /// Constructor for IrDevice base class using post activation function to get port
- ///
- /// key of the device
- /// function to call post activation
- /// config of the device
- public IrOutputPortController(string key, Func postActivationFunc,
- DeviceConfig config)
- : base(key)
- {
- DriverLoaded = new BoolFeedback(() => DriverIsLoaded);
- UseBridgeJoinMap = config.Properties["control"].Value("useBridgeJoinMap");
- AddPostActivationAction(() =>
- {
- IrPort = postActivationFunc(config);
+ // var filePath = Global.FilePathPrefix + "ir" + Global.DirectorySeparator + config.Properties["control"]["irFile"].Value();
- if (IrPort == null)
- {
- Debug.LogMessage(LogEventLevel.Information, this, "WARNING No valid IR Port assigned to controller. IR will not function");
- return;
- }
-
- // var filePath = Global.FilePathPrefix + "ir" + Global.DirectorySeparator + config.Properties["control"]["irFile"].Value();
+ var fileName = config.Properties["control"]["irFile"].Value();
- var fileName = config.Properties["control"]["irFile"].Value