Decompiled source of TheArchive RichPresence v2025.2.0

plugins/DiscordRPC.dll

Decompiled a week ago
using System;
using System.Collections.Generic;
using System.Collections.ObjectModel;
using System.Diagnostics;
using System.IO;
using System.IO.Pipes;
using System.Linq;
using System.Reflection;
using System.Runtime.CompilerServices;
using System.Runtime.InteropServices;
using System.Runtime.Versioning;
using System.Text;
using System.Threading;
using Clonesoft.Json;
using Clonesoft.Json.Linq;
using DiscordRPC.Converters;
using DiscordRPC.Events;
using DiscordRPC.Exceptions;
using DiscordRPC.Helper;
using DiscordRPC.IO;
using DiscordRPC.Logging;
using DiscordRPC.Message;
using DiscordRPC.RPC;
using DiscordRPC.RPC.Commands;
using DiscordRPC.RPC.Payload;
using DiscordRPC.Registry;
using Microsoft.Win32;

[assembly: CompilationRelaxations(8)]
[assembly: RuntimeCompatibility(WrapNonExceptionThrows = true)]
[assembly: Debuggable(DebuggableAttribute.DebuggingModes.Default | DebuggableAttribute.DebuggingModes.DisableOptimizations | DebuggableAttribute.DebuggingModes.IgnoreSymbolStoreSequencePoints | DebuggableAttribute.DebuggingModes.EnableEditAndContinue)]
[assembly: AssemblyTitle("Discord RPC")]
[assembly: AssemblyDescription("")]
[assembly: AssemblyConfiguration("")]
[assembly: AssemblyCompany("")]
[assembly: AssemblyProduct("Discord RPC")]
[assembly: AssemblyCopyright("Copyright ©  2021")]
[assembly: AssemblyTrademark("")]
[assembly: ComVisible(false)]
[assembly: Guid("819d20d6-8d88-45c1-a4d2-aa21f10abd19")]
[assembly: AssemblyFileVersion("1.0.0.0")]
[assembly: TargetFramework(".NETCoreApp,Version=v6.0", FrameworkDisplayName = ".NET 6.0")]
[assembly: AssemblyVersion("1.0.0.0")]
namespace DiscordRPC
{
	public class Configuration
	{
		[JsonProperty("api_endpoint")]
		public string ApiEndpoint { get; set; }

		[JsonProperty("cdn_host")]
		public string CdnHost { get; set; }

		[JsonProperty("environment")]
		public string Environment { get; set; }
	}
	public sealed class DiscordRpcClient : IDisposable
	{
		private ILogger _logger;

		private RpcConnection connection;

		private bool _shutdownOnly = true;

		private object _sync = new object();

		public bool HasRegisteredUriScheme { get; private set; }

		public string ApplicationID { get; private set; }

		public string SteamID { get; private set; }

		public int ProcessID { get; private set; }

		public int MaxQueueSize { get; private set; }

		public bool IsDisposed { get; private set; }

		public ILogger Logger
		{
			get
			{
				return _logger;
			}
			set
			{
				_logger = value;
				if (connection != null)
				{
					connection.Logger = value;
				}
			}
		}

		public bool AutoEvents { get; private set; }

		public bool SkipIdenticalPresence { get; set; }

		public int TargetPipe { get; private set; }

		public RichPresence CurrentPresence { get; private set; }

		public EventType Subscription { get; private set; }

		public User CurrentUser { get; private set; }

		public Configuration Configuration { get; private set; }

		public bool IsInitialized { get; private set; }

		public bool ShutdownOnly
		{
			get
			{
				return _shutdownOnly;
			}
			set
			{
				_shutdownOnly = value;
				if (connection != null)
				{
					connection.ShutdownOnly = value;
				}
			}
		}

		public event OnReadyEvent OnReady;

		public event OnCloseEvent OnClose;

		public event OnErrorEvent OnError;

		public event OnPresenceUpdateEvent OnPresenceUpdate;

		public event OnSubscribeEvent OnSubscribe;

		public event OnUnsubscribeEvent OnUnsubscribe;

		public event OnJoinEvent OnJoin;

		public event OnSpectateEvent OnSpectate;

		public event OnJoinRequestedEvent OnJoinRequested;

		public event OnConnectionEstablishedEvent OnConnectionEstablished;

		public event OnConnectionFailedEvent OnConnectionFailed;

		public event OnRpcMessageEvent OnRpcMessage;

		public DiscordRpcClient(string applicationID)
			: this(applicationID, -1, null, autoEvents: true, null)
		{
		}

		public DiscordRpcClient(string applicationID, int pipe = -1, ILogger logger = null, bool autoEvents = true, INamedPipeClient client = null)
		{
			if (string.IsNullOrEmpty(applicationID))
			{
				throw new ArgumentNullException("applicationID");
			}
			ApplicationID = applicationID.Trim();
			TargetPipe = pipe;
			ProcessID = Process.GetCurrentProcess().Id;
			HasRegisteredUriScheme = false;
			AutoEvents = autoEvents;
			SkipIdenticalPresence = true;
			_logger = logger ?? new NullLogger();
			connection = new RpcConnection(ApplicationID, ProcessID, TargetPipe, client ?? new ManagedNamedPipeClient(), (!autoEvents) ? 128u : 0u)
			{
				ShutdownOnly = _shutdownOnly,
				Logger = _logger
			};
			connection.OnRpcMessage += delegate(object sender, IMessage msg)
			{
				if (this.OnRpcMessage != null)
				{
					this.OnRpcMessage(this, msg);
				}
				if (AutoEvents)
				{
					ProcessMessage(msg);
				}
			};
		}

		public IMessage[] Invoke()
		{
			if (AutoEvents)
			{
				Logger.Error("Cannot Invoke client when AutomaticallyInvokeEvents has been set.");
				return new IMessage[0];
			}
			IMessage[] array = connection.DequeueMessages();
			foreach (IMessage message in array)
			{
				ProcessMessage(message);
			}
			return array;
		}

		private void ProcessMessage(IMessage message)
		{
			if (message == null)
			{
				return;
			}
			switch (message.Type)
			{
			case MessageType.PresenceUpdate:
				lock (_sync)
				{
					if (message is PresenceMessage presenceMessage)
					{
						if (presenceMessage.Presence == null)
						{
							CurrentPresence = null;
						}
						else if (CurrentPresence == null)
						{
							CurrentPresence = new RichPresence().Merge(presenceMessage.Presence);
						}
						else
						{
							CurrentPresence.Merge(presenceMessage.Presence);
						}
						presenceMessage.Presence = CurrentPresence;
					}
				}
				if (this.OnPresenceUpdate != null)
				{
					this.OnPresenceUpdate(this, message as PresenceMessage);
				}
				break;
			case MessageType.Ready:
				if (message is ReadyMessage readyMessage)
				{
					lock (_sync)
					{
						Configuration = readyMessage.Configuration;
						CurrentUser = readyMessage.User;
					}
					SynchronizeState();
				}
				if (this.OnReady != null)
				{
					this.OnReady(this, message as ReadyMessage);
				}
				break;
			case MessageType.Close:
				if (this.OnClose != null)
				{
					this.OnClose(this, message as CloseMessage);
				}
				break;
			case MessageType.Error:
				if (this.OnError != null)
				{
					this.OnError(this, message as ErrorMessage);
				}
				break;
			case MessageType.JoinRequest:
				if (Configuration != null && message is JoinRequestMessage joinRequestMessage)
				{
					joinRequestMessage.User.SetConfiguration(Configuration);
				}
				if (this.OnJoinRequested != null)
				{
					this.OnJoinRequested(this, message as JoinRequestMessage);
				}
				break;
			case MessageType.Subscribe:
				lock (_sync)
				{
					SubscribeMessage subscribeMessage = message as SubscribeMessage;
					Subscription |= subscribeMessage.Event;
				}
				if (this.OnSubscribe != null)
				{
					this.OnSubscribe(this, message as SubscribeMessage);
				}
				break;
			case MessageType.Unsubscribe:
				lock (_sync)
				{
					UnsubscribeMessage unsubscribeMessage = message as UnsubscribeMessage;
					Subscription &= ~unsubscribeMessage.Event;
				}
				if (this.OnUnsubscribe != null)
				{
					this.OnUnsubscribe(this, message as UnsubscribeMessage);
				}
				break;
			case MessageType.Join:
				if (this.OnJoin != null)
				{
					this.OnJoin(this, message as JoinMessage);
				}
				break;
			case MessageType.Spectate:
				if (this.OnSpectate != null)
				{
					this.OnSpectate(this, message as SpectateMessage);
				}
				break;
			case MessageType.ConnectionEstablished:
				if (this.OnConnectionEstablished != null)
				{
					this.OnConnectionEstablished(this, message as ConnectionEstablishedMessage);
				}
				break;
			case MessageType.ConnectionFailed:
				if (this.OnConnectionFailed != null)
				{
					this.OnConnectionFailed(this, message as ConnectionFailedMessage);
				}
				break;
			default:
				Logger.Error("Message was queued with no appropriate handle! {0}", message.Type);
				break;
			}
		}

		public void Respond(JoinRequestMessage request, bool acceptRequest)
		{
			if (IsDisposed)
			{
				throw new ObjectDisposedException("Discord IPC Client");
			}
			if (connection == null)
			{
				throw new ObjectDisposedException("Connection", "Cannot initialize as the connection has been deinitialized");
			}
			if (!IsInitialized)
			{
				throw new UninitializedException();
			}
			connection.EnqueueCommand(new RespondCommand
			{
				Accept = acceptRequest,
				UserID = request.User.ID.ToString()
			});
		}

		public void SetPresence(RichPresence presence)
		{
			if (IsDisposed)
			{
				throw new ObjectDisposedException("Discord IPC Client");
			}
			if (connection == null)
			{
				throw new ObjectDisposedException("Connection", "Cannot initialize as the connection has been deinitialized");
			}
			if (!IsInitialized)
			{
				Logger.Warning("The client is not yet initialized, storing the presence as a state instead.");
			}
			if (presence == null)
			{
				if (!SkipIdenticalPresence || CurrentPresence != null)
				{
					connection.EnqueueCommand(new PresenceCommand
					{
						PID = ProcessID,
						Presence = null
					});
				}
			}
			else
			{
				if (presence.HasSecrets() && !HasRegisteredUriScheme)
				{
					throw new BadPresenceException("Cannot send a presence with secrets as this object has not registered a URI scheme. Please enable the uri scheme registration in the DiscordRpcClient constructor.");
				}
				if (presence.HasParty() && presence.Party.Max < presence.Party.Size)
				{
					throw new BadPresenceException("Presence maximum party size cannot be smaller than the current size.");
				}
				if (presence.HasSecrets() && !presence.HasParty())
				{
					Logger.Warning("The presence has set the secrets but no buttons will show as there is no party available.");
				}
				if (!SkipIdenticalPresence || !presence.Matches(CurrentPresence))
				{
					connection.EnqueueCommand(new PresenceCommand
					{
						PID = ProcessID,
						Presence = presence.Clone()
					});
				}
			}
			lock (_sync)
			{
				CurrentPresence = presence?.Clone();
			}
		}

		public RichPresence Update(Action<RichPresence> func)
		{
			if (!IsInitialized)
			{
				throw new UninitializedException();
			}
			RichPresence richPresence;
			lock (_sync)
			{
				richPresence = ((CurrentPresence == null) ? new RichPresence() : CurrentPresence.Clone());
			}
			func(richPresence);
			SetPresence(richPresence);
			return richPresence;
		}

		public RichPresence UpdateType(ActivityType type)
		{
			return Update(delegate(RichPresence p)
			{
				p.Type = type;
			});
		}

		public RichPresence UpdateButtons(Button[] buttons = null)
		{
			return Update(delegate(RichPresence p)
			{
				p.Buttons = buttons;
			});
		}

		public RichPresence SetButton(Button button, int index = 0)
		{
			return Update(delegate(RichPresence p)
			{
				p.Buttons[index] = button;
			});
		}

		public RichPresence UpdateDetails(string details)
		{
			return Update(delegate(RichPresence p)
			{
				p.Details = details;
			});
		}

		public RichPresence UpdateState(string state)
		{
			return Update(delegate(RichPresence p)
			{
				p.State = state;
			});
		}

		public RichPresence UpdateParty(Party party)
		{
			return Update(delegate(RichPresence p)
			{
				p.Party = party;
			});
		}

		public RichPresence UpdatePartySize(int size)
		{
			return Update(delegate(RichPresence p)
			{
				if (p.Party == null)
				{
					throw new BadPresenceException("Cannot set the size of the party if the party does not exist");
				}
				p.Party.Size = size;
			});
		}

		public RichPresence UpdatePartySize(int size, int max)
		{
			return Update(delegate(RichPresence p)
			{
				if (p.Party == null)
				{
					throw new BadPresenceException("Cannot set the size of the party if the party does not exist");
				}
				p.Party.Size = size;
				p.Party.Max = max;
			});
		}

		public RichPresence UpdateLargeAsset(string key = null, string tooltip = null)
		{
			return Update(delegate(RichPresence p)
			{
				if (p.Assets == null)
				{
					p.Assets = new Assets();
				}
				p.Assets.LargeImageKey = key ?? p.Assets.LargeImageKey;
				p.Assets.LargeImageText = tooltip ?? p.Assets.LargeImageText;
			});
		}

		public RichPresence UpdateSmallAsset(string key = null, string tooltip = null)
		{
			return Update(delegate(RichPresence p)
			{
				if (p.Assets == null)
				{
					p.Assets = new Assets();
				}
				p.Assets.SmallImageKey = key ?? p.Assets.SmallImageKey;
				p.Assets.SmallImageText = tooltip ?? p.Assets.SmallImageText;
			});
		}

		public RichPresence UpdateSecrets(Secrets secrets)
		{
			return Update(delegate(RichPresence p)
			{
				p.Secrets = secrets;
			});
		}

		public RichPresence UpdateStartTime()
		{
			return UpdateStartTime(DateTime.UtcNow);
		}

		public RichPresence UpdateStartTime(DateTime time)
		{
			return Update(delegate(RichPresence p)
			{
				if (p.Timestamps == null)
				{
					p.Timestamps = new Timestamps();
				}
				p.Timestamps.Start = time;
			});
		}

		public RichPresence UpdateEndTime()
		{
			return UpdateEndTime(DateTime.UtcNow);
		}

		public RichPresence UpdateEndTime(DateTime time)
		{
			return Update(delegate(RichPresence p)
			{
				if (p.Timestamps == null)
				{
					p.Timestamps = new Timestamps();
				}
				p.Timestamps.End = time;
			});
		}

		public RichPresence UpdateClearTime()
		{
			return Update(delegate(RichPresence p)
			{
				p.Timestamps = null;
			});
		}

		public void ClearPresence()
		{
			if (IsDisposed)
			{
				throw new ObjectDisposedException("Discord IPC Client");
			}
			if (!IsInitialized)
			{
				throw new UninitializedException();
			}
			if (connection == null)
			{
				throw new ObjectDisposedException("Connection", "Cannot initialize as the connection has been deinitialized");
			}
			SetPresence(null);
		}

		public bool RegisterUriScheme(string steamAppID = null, string executable = null)
		{
			UriSchemeRegister uriSchemeRegister = new UriSchemeRegister(_logger, ApplicationID, steamAppID, executable);
			return HasRegisteredUriScheme = uriSchemeRegister.RegisterUriScheme();
		}

		public void Subscribe(EventType type)
		{
			SetSubscription(Subscription | type);
		}

		[Obsolete("Replaced with Unsubscribe", true)]
		public void Unubscribe(EventType type)
		{
			SetSubscription(Subscription & ~type);
		}

		public void Unsubscribe(EventType type)
		{
			SetSubscription(Subscription & ~type);
		}

		public void SetSubscription(EventType type)
		{
			if (IsInitialized)
			{
				SubscribeToTypes(Subscription & ~type, isUnsubscribe: true);
				SubscribeToTypes(~Subscription & type, isUnsubscribe: false);
			}
			else
			{
				Logger.Warning("Client has not yet initialized, but events are being subscribed too. Storing them as state instead.");
			}
			lock (_sync)
			{
				Subscription = type;
			}
		}

		private void SubscribeToTypes(EventType type, bool isUnsubscribe)
		{
			if (type != 0)
			{
				if (IsDisposed)
				{
					throw new ObjectDisposedException("Discord IPC Client");
				}
				if (!IsInitialized)
				{
					throw new UninitializedException();
				}
				if (connection == null)
				{
					throw new ObjectDisposedException("Connection", "Cannot initialize as the connection has been deinitialized");
				}
				if (!HasRegisteredUriScheme)
				{
					throw new InvalidConfigurationException("Cannot subscribe/unsubscribe to an event as this application has not registered a URI Scheme. Call RegisterUriScheme().");
				}
				if ((type & EventType.Spectate) == EventType.Spectate)
				{
					connection.EnqueueCommand(new SubscribeCommand
					{
						Event = ServerEvent.ActivitySpectate,
						IsUnsubscribe = isUnsubscribe
					});
				}
				if ((type & EventType.Join) == EventType.Join)
				{
					connection.EnqueueCommand(new SubscribeCommand
					{
						Event = ServerEvent.ActivityJoin,
						IsUnsubscribe = isUnsubscribe
					});
				}
				if ((type & EventType.JoinRequest) == EventType.JoinRequest)
				{
					connection.EnqueueCommand(new SubscribeCommand
					{
						Event = ServerEvent.ActivityJoinRequest,
						IsUnsubscribe = isUnsubscribe
					});
				}
			}
		}

		public void SynchronizeState()
		{
			if (!IsInitialized)
			{
				throw new UninitializedException();
			}
			SetPresence(CurrentPresence);
			if (HasRegisteredUriScheme)
			{
				SubscribeToTypes(Subscription, isUnsubscribe: false);
			}
		}

		public bool Initialize()
		{
			if (IsDisposed)
			{
				throw new ObjectDisposedException("Discord IPC Client");
			}
			if (IsInitialized)
			{
				throw new UninitializedException("Cannot initialize a client that is already initialized");
			}
			if (connection == null)
			{
				throw new ObjectDisposedException("Connection", "Cannot initialize as the connection has been deinitialized");
			}
			return IsInitialized = connection.AttemptConnection();
		}

		public void Deinitialize()
		{
			if (!IsInitialized)
			{
				throw new UninitializedException("Cannot deinitialize a client that has not been initalized.");
			}
			connection.Close();
			IsInitialized = false;
		}

		public void Dispose()
		{
			if (!IsDisposed)
			{
				if (IsInitialized)
				{
					Deinitialize();
				}
				IsDisposed = true;
			}
		}
	}
	[Flags]
	public enum EventType
	{
		None = 0,
		Spectate = 1,
		Join = 2,
		JoinRequest = 4
	}
	[Serializable]
	[JsonObject(/*Could not decode attribute arguments.*/)]
	public class BaseRichPresence
	{
		protected internal string _state;

		protected internal string _details;

		[JsonProperty(/*Could not decode attribute arguments.*/)]
		public string State
		{
			get
			{
				return _state;
			}
			set
			{
				if (!ValidateString(value, out _state, 128, Encoding.UTF8))
				{
					throw new StringOutOfRangeException("State", 0, 128);
				}
			}
		}

		[JsonProperty(/*Could not decode attribute arguments.*/)]
		public string Details
		{
			get
			{
				return _details;
			}
			set
			{
				if (!ValidateString(value, out _details, 128, Encoding.UTF8))
				{
					throw new StringOutOfRangeException(128);
				}
			}
		}

		[JsonProperty(/*Could not decode attribute arguments.*/)]
		public Timestamps Timestamps { get; set; }

		[JsonProperty(/*Could not decode attribute arguments.*/)]
		public Assets Assets { get; set; }

		[JsonProperty(/*Could not decode attribute arguments.*/)]
		public Party Party { get; set; }

		[JsonProperty(/*Could not decode attribute arguments.*/)]
		public Secrets Secrets { get; set; }

		[JsonProperty(/*Could not decode attribute arguments.*/)]
		public ActivityType Type { get; set; }

		[JsonProperty(/*Could not decode attribute arguments.*/)]
		[Obsolete("This was going to be used, but was replaced by JoinSecret instead")]
		private bool Instance { get; set; }

		public bool HasTimestamps()
		{
			return Timestamps != null && (Timestamps.Start.HasValue || Timestamps.End.HasValue);
		}

		public bool HasAssets()
		{
			return Assets != null;
		}

		public bool HasParty()
		{
			return Party != null && Party.ID != null;
		}

		public bool HasSecrets()
		{
			return Secrets != null && (Secrets.JoinSecret != null || Secrets.SpectateSecret != null);
		}

		internal static bool ValidateString(string str, out string result, int bytes, Encoding encoding)
		{
			result = str;
			if (str == null)
			{
				return true;
			}
			string str2 = str.Trim();
			if (!str2.WithinLength(bytes, encoding))
			{
				return false;
			}
			result = str2.GetNullOrString();
			return true;
		}

		public static implicit operator bool(BaseRichPresence presesnce)
		{
			return presesnce != null;
		}

		internal virtual bool Matches(RichPresence other)
		{
			if (other == null)
			{
				return false;
			}
			if (State != other.State || Details != other.Details || Type != other.Type)
			{
				return false;
			}
			if (Timestamps != null)
			{
				if (other.Timestamps == null || other.Timestamps.StartUnixMilliseconds != Timestamps.StartUnixMilliseconds || other.Timestamps.EndUnixMilliseconds != Timestamps.EndUnixMilliseconds)
				{
					return false;
				}
			}
			else if (other.Timestamps != null)
			{
				return false;
			}
			if (Secrets != null)
			{
				if (other.Secrets == null || other.Secrets.JoinSecret != Secrets.JoinSecret || other.Secrets.MatchSecret != Secrets.MatchSecret || other.Secrets.SpectateSecret != Secrets.SpectateSecret)
				{
					return false;
				}
			}
			else if (other.Secrets != null)
			{
				return false;
			}
			if (Party != null)
			{
				if (other.Party == null || other.Party.ID != Party.ID || other.Party.Max != Party.Max || other.Party.Size != Party.Size || other.Party.Privacy != Party.Privacy)
				{
					return false;
				}
			}
			else if (other.Party != null)
			{
				return false;
			}
			if (Assets != null)
			{
				if (other.Assets == null || other.Assets.LargeImageKey != Assets.LargeImageKey || other.Assets.LargeImageText != Assets.LargeImageText || other.Assets.SmallImageKey != Assets.SmallImageKey || other.Assets.SmallImageText != Assets.SmallImageText)
				{
					return false;
				}
			}
			else if (other.Assets != null)
			{
				return false;
			}
			return Instance == other.Instance;
		}

		public RichPresence ToRichPresence()
		{
			RichPresence richPresence = new RichPresence();
			richPresence.State = State;
			richPresence.Details = Details;
			richPresence.Type = Type;
			richPresence.Party = ((!HasParty()) ? Party : null);
			richPresence.Secrets = ((!HasSecrets()) ? Secrets : null);
			if (HasAssets())
			{
				richPresence.Assets = new Assets
				{
					SmallImageKey = Assets.SmallImageKey,
					SmallImageText = Assets.SmallImageText,
					LargeImageKey = Assets.LargeImageKey,
					LargeImageText = Assets.LargeImageText
				};
			}
			if (HasTimestamps())
			{
				richPresence.Timestamps = new Timestamps();
				if (Timestamps.Start.HasValue)
				{
					richPresence.Timestamps.Start = Timestamps.Start;
				}
				if (Timestamps.End.HasValue)
				{
					richPresence.Timestamps.End = Timestamps.End;
				}
			}
			return richPresence;
		}
	}
	[Serializable]
	public class Secrets
	{
		private string _matchSecret;

		private string _joinSecret;

		private string _spectateSecret;

		[Obsolete("This feature has been deprecated my Mason in issue #152 on the offical library. Was originally used as a Notify Me feature, it has been replaced with Join / Spectate.")]
		[JsonProperty(/*Could not decode attribute arguments.*/)]
		public string MatchSecret
		{
			get
			{
				return _matchSecret;
			}
			set
			{
				if (!BaseRichPresence.ValidateString(value, out _matchSecret, 128, Encoding.UTF8))
				{
					throw new StringOutOfRangeException(128);
				}
			}
		}

		[JsonProperty(/*Could not decode attribute arguments.*/)]
		public string JoinSecret
		{
			get
			{
				return _joinSecret;
			}
			set
			{
				if (!BaseRichPresence.ValidateString(value, out _joinSecret, 128, Encoding.UTF8))
				{
					throw new StringOutOfRangeException(128);
				}
			}
		}

		[JsonProperty(/*Could not decode attribute arguments.*/)]
		public string SpectateSecret
		{
			get
			{
				return _spectateSecret;
			}
			set
			{
				if (!BaseRichPresence.ValidateString(value, out _spectateSecret, 128, Encoding.UTF8))
				{
					throw new StringOutOfRangeException(128);
				}
			}
		}

		public static Encoding Encoding => Encoding.UTF8;

		public static int SecretLength => 128;

		public static string CreateSecret(Random random)
		{
			byte[] array = new byte[SecretLength];
			random.NextBytes(array);
			return Encoding.GetString(array);
		}

		public static string CreateFriendlySecret(Random random)
		{
			string text = "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789";
			StringBuilder stringBuilder = new StringBuilder();
			for (int i = 0; i < SecretLength; i++)
			{
				stringBuilder.Append(text[random.Next(text.Length)]);
			}
			return stringBuilder.ToString();
		}
	}
	[Serializable]
	public class Assets
	{
		private string _largeimagekey;

		private bool _islargeimagekeyexternal;

		private string _largeimagetext;

		private string _smallimagekey;

		private bool _issmallimagekeyexternal;

		private string _smallimagetext;

		private ulong? _largeimageID;

		private ulong? _smallimageID;

		[JsonProperty(/*Could not decode attribute arguments.*/)]
		public string LargeImageKey
		{
			get
			{
				return _largeimagekey;
			}
			set
			{
				if (!BaseRichPresence.ValidateString(value, out _largeimagekey, 256, Encoding.UTF8))
				{
					throw new StringOutOfRangeException(256);
				}
				_islargeimagekeyexternal = _largeimagekey?.StartsWith("mp:external/") ?? false;
				_largeimageID = null;
			}
		}

		[JsonIgnore]
		public bool IsLargeImageKeyExternal => _islargeimagekeyexternal;

		[JsonProperty(/*Could not decode attribute arguments.*/)]
		public string LargeImageText
		{
			get
			{
				return _largeimagetext;
			}
			set
			{
				if (!BaseRichPresence.ValidateString(value, out _largeimagetext, 128, Encoding.UTF8))
				{
					throw new StringOutOfRangeException(128);
				}
			}
		}

		[JsonProperty(/*Could not decode attribute arguments.*/)]
		public string SmallImageKey
		{
			get
			{
				return _smallimagekey;
			}
			set
			{
				if (!BaseRichPresence.ValidateString(value, out _smallimagekey, 256, Encoding.UTF8))
				{
					throw new StringOutOfRangeException(256);
				}
				_issmallimagekeyexternal = _smallimagekey?.StartsWith("mp:external/") ?? false;
				_smallimageID = null;
			}
		}

		[JsonIgnore]
		public bool IsSmallImageKeyExternal => _issmallimagekeyexternal;

		[JsonProperty(/*Could not decode attribute arguments.*/)]
		public string SmallImageText
		{
			get
			{
				return _smallimagetext;
			}
			set
			{
				if (!BaseRichPresence.ValidateString(value, out _smallimagetext, 128, Encoding.UTF8))
				{
					throw new StringOutOfRangeException(128);
				}
			}
		}

		[JsonIgnore]
		public ulong? LargeImageID => _largeimageID;

		[JsonIgnore]
		public ulong? SmallImageID => _smallimageID;

		internal void Merge(Assets other)
		{
			_smallimagetext = other._smallimagetext;
			_largeimagetext = other._largeimagetext;
			if (ulong.TryParse(other._largeimagekey, out var result))
			{
				_largeimageID = result;
			}
			else
			{
				_largeimagekey = other._largeimagekey;
				_largeimageID = null;
			}
			if (ulong.TryParse(other._smallimagekey, out var result2))
			{
				_smallimageID = result2;
				return;
			}
			_smallimagekey = other._smallimagekey;
			_smallimageID = null;
		}
	}
	[Serializable]
	public class Timestamps
	{
		public static Timestamps Now => new Timestamps(DateTime.UtcNow);

		[JsonIgnore]
		public DateTime? Start { get; set; }

		[JsonIgnore]
		public DateTime? End { get; set; }

		[JsonProperty(/*Could not decode attribute arguments.*/)]
		public ulong? StartUnixMilliseconds
		{
			get
			{
				return Start.HasValue ? new ulong?(ToUnixMilliseconds(Start.Value)) : null;
			}
			set
			{
				Start = (value.HasValue ? new DateTime?(FromUnixMilliseconds(value.Value)) : null);
			}
		}

		[JsonProperty(/*Could not decode attribute arguments.*/)]
		public ulong? EndUnixMilliseconds
		{
			get
			{
				return End.HasValue ? new ulong?(ToUnixMilliseconds(End.Value)) : null;
			}
			set
			{
				End = (value.HasValue ? new DateTime?(FromUnixMilliseconds(value.Value)) : null);
			}
		}

		public static Timestamps FromTimeSpan(double seconds)
		{
			return FromTimeSpan(TimeSpan.FromSeconds(seconds));
		}

		public static Timestamps FromTimeSpan(TimeSpan timespan)
		{
			return new Timestamps
			{
				Start = DateTime.UtcNow,
				End = DateTime.UtcNow + timespan
			};
		}

		public Timestamps()
		{
			Start = null;
			End = null;
		}

		public Timestamps(DateTime start)
		{
			Start = start;
			End = null;
		}

		public Timestamps(DateTime start, DateTime end)
		{
			Start = start;
			End = end;
		}

		public static DateTime FromUnixMilliseconds(ulong unixTime)
		{
			return new DateTime(1970, 1, 1, 0, 0, 0, DateTimeKind.Utc).AddMilliseconds(Convert.ToDouble(unixTime));
		}

		public static ulong ToUnixMilliseconds(DateTime date)
		{
			DateTime dateTime = new DateTime(1970, 1, 1, 0, 0, 0, DateTimeKind.Utc);
			return Convert.ToUInt64((date - dateTime).TotalMilliseconds);
		}
	}
	[Serializable]
	public class Party
	{
		public enum PrivacySetting
		{
			Private,
			Public
		}

		private string _partyid;

		[JsonProperty(/*Could not decode attribute arguments.*/)]
		public string ID
		{
			get
			{
				return _partyid;
			}
			set
			{
				_partyid = value.GetNullOrString();
			}
		}

		[JsonIgnore]
		public int Size { get; set; }

		[JsonIgnore]
		public int Max { get; set; }

		[JsonProperty(/*Could not decode attribute arguments.*/)]
		public PrivacySetting Privacy { get; set; }

		[JsonProperty(/*Could not decode attribute arguments.*/)]
		private int[] _size
		{
			get
			{
				int num = Math.Max(1, Size);
				return new int[2]
				{
					num,
					Math.Max(num, Max)
				};
			}
			set
			{
				if (value.Length != 2)
				{
					Size = 0;
					Max = 0;
				}
				else
				{
					Size = value[0];
					Max = value[1];
				}
			}
		}
	}
	public class Button
	{
		private string _label;

		private string _url;

		[JsonProperty("label")]
		public string Label
		{
			get
			{
				return _label;
			}
			set
			{
				if (!BaseRichPresence.ValidateString(value, out _label, 32, Encoding.UTF8))
				{
					throw new StringOutOfRangeException(32);
				}
			}
		}

		[JsonProperty("url")]
		public string Url
		{
			get
			{
				return _url;
			}
			set
			{
				if (!BaseRichPresence.ValidateString(value, out _url, 512, Encoding.UTF8))
				{
					throw new StringOutOfRangeException(512);
				}
				if (!Uri.TryCreate(_url, UriKind.Absolute, out Uri _))
				{
					throw new ArgumentException("Url must be a valid URI");
				}
			}
		}
	}
	public enum ActivityType
	{
		Playing = 0,
		Listening = 2,
		Watching = 3,
		Competing = 5
	}
	public sealed class RichPresence : BaseRichPresence
	{
		[JsonProperty(/*Could not decode attribute arguments.*/)]
		public Button[] Buttons { get; set; }

		public bool HasButtons()
		{
			return Buttons != null && Buttons.Length != 0;
		}

		public RichPresence WithState(string state)
		{
			base.State = state;
			return this;
		}

		public RichPresence WithDetails(string details)
		{
			base.Details = details;
			return this;
		}

		public RichPresence WithType(ActivityType type)
		{
			base.Type = type;
			return this;
		}

		public RichPresence WithTimestamps(Timestamps timestamps)
		{
			base.Timestamps = timestamps;
			return this;
		}

		public RichPresence WithAssets(Assets assets)
		{
			base.Assets = assets;
			return this;
		}

		public RichPresence WithParty(Party party)
		{
			base.Party = party;
			return this;
		}

		public RichPresence WithSecrets(Secrets secrets)
		{
			base.Secrets = secrets;
			return this;
		}

		public RichPresence Clone()
		{
			RichPresence richPresence = new RichPresence();
			richPresence.State = ((_state != null) ? (_state.Clone() as string) : null);
			richPresence.Details = ((_details != null) ? (_details.Clone() as string) : null);
			richPresence.Type = base.Type;
			richPresence.Buttons = ((!HasButtons()) ? null : (Buttons.Clone() as Button[]));
			richPresence.Secrets = ((!HasSecrets()) ? null : new Secrets
			{
				JoinSecret = ((base.Secrets.JoinSecret != null) ? (base.Secrets.JoinSecret.Clone() as string) : null),
				SpectateSecret = ((base.Secrets.SpectateSecret != null) ? (base.Secrets.SpectateSecret.Clone() as string) : null)
			});
			richPresence.Timestamps = ((!HasTimestamps()) ? null : new Timestamps
			{
				Start = base.Timestamps.Start,
				End = base.Timestamps.End
			});
			richPresence.Assets = ((!HasAssets()) ? null : new Assets
			{
				LargeImageKey = ((base.Assets.LargeImageKey != null) ? (base.Assets.LargeImageKey.Clone() as string) : null),
				LargeImageText = ((base.Assets.LargeImageText != null) ? (base.Assets.LargeImageText.Clone() as string) : null),
				SmallImageKey = ((base.Assets.SmallImageKey != null) ? (base.Assets.SmallImageKey.Clone() as string) : null),
				SmallImageText = ((base.Assets.SmallImageText != null) ? (base.Assets.SmallImageText.Clone() as string) : null)
			});
			richPresence.Party = ((!HasParty()) ? null : new Party
			{
				ID = base.Party.ID,
				Size = base.Party.Size,
				Max = base.Party.Max,
				Privacy = base.Party.Privacy
			});
			return richPresence;
		}

		internal RichPresence Merge(BaseRichPresence presence)
		{
			_state = presence.State;
			_details = presence.Details;
			base.Type = presence.Type;
			base.Party = presence.Party;
			base.Timestamps = presence.Timestamps;
			base.Secrets = presence.Secrets;
			if (presence.HasAssets())
			{
				if (!HasAssets())
				{
					base.Assets = presence.Assets;
				}
				else
				{
					base.Assets.Merge(presence.Assets);
				}
			}
			else
			{
				base.Assets = null;
			}
			return this;
		}

		internal override bool Matches(RichPresence other)
		{
			if (!base.Matches(other))
			{
				return false;
			}
			if ((Buttons == null) ^ (other.Buttons == null))
			{
				return false;
			}
			if (Buttons != null)
			{
				if (Buttons.Length != other.Buttons.Length)
				{
					return false;
				}
				for (int i = 0; i < Buttons.Length; i++)
				{
					Button button = Buttons[i];
					Button button2 = other.Buttons[i];
					if (button.Label != button2.Label || button.Url != button2.Url)
					{
						return false;
					}
				}
			}
			return true;
		}

		public static implicit operator bool(RichPresence presesnce)
		{
			return presesnce != null;
		}
	}
	internal sealed class RichPresenceResponse : BaseRichPresence
	{
		[JsonProperty("application_id")]
		public string ClientID { get; private set; }

		[JsonProperty("name")]
		public string Name { get; private set; }
	}
	public class User
	{
		public enum AvatarFormat
		{
			PNG,
			JPEG,
			WebP,
			GIF
		}

		public enum AvatarSize
		{
			x16 = 0x10,
			x32 = 0x20,
			x64 = 0x40,
			x128 = 0x80,
			x256 = 0x100,
			x512 = 0x200,
			x1024 = 0x400,
			x2048 = 0x800
		}

		[Flags]
		public enum Flag
		{
			None = 0,
			Employee = 1,
			Partner = 2,
			HypeSquad = 4,
			BugHunter = 8,
			HouseBravery = 0x40,
			HouseBrilliance = 0x80,
			HouseBalance = 0x100,
			EarlySupporter = 0x200,
			TeamUser = 0x400
		}

		public enum PremiumType
		{
			None,
			NitroClassic,
			Nitro
		}

		[JsonProperty("id")]
		public ulong ID { get; private set; }

		[JsonProperty("username")]
		public string Username { get; private set; }

		[JsonProperty("discriminator")]
		[Obsolete("Discord no longer uses discriminators.")]
		public int Discriminator { get; private set; }

		[JsonProperty("global_name")]
		public string DisplayName { get; private set; }

		[JsonProperty("avatar")]
		public string Avatar { get; private set; }

		[JsonProperty(/*Could not decode attribute arguments.*/)]
		public Flag Flags { get; private set; }

		[JsonProperty(/*Could not decode attribute arguments.*/)]
		public PremiumType Premium { get; private set; }

		public string CdnEndpoint { get; private set; }

		internal User()
		{
			CdnEndpoint = "cdn.discordapp.com";
		}

		internal void SetConfiguration(Configuration configuration)
		{
			CdnEndpoint = configuration.CdnHost;
		}

		public string GetAvatarURL(AvatarFormat format)
		{
			return GetAvatarURL(format, AvatarSize.x128);
		}

		public string GetAvatarURL(AvatarFormat format, AvatarSize size)
		{
			string text = $"/avatars/{ID}/{Avatar}";
			if (string.IsNullOrEmpty(Avatar))
			{
				if (format != 0)
				{
					throw new BadImageFormatException("The user has no avatar and the requested format " + format.ToString() + " is not supported. (Only supports PNG).");
				}
				int value = (int)((ID >> 22) % 6);
				if (Discriminator > 0)
				{
					value = Discriminator % 5;
				}
				text = $"/embed/avatars/{value}";
			}
			return $"https://{CdnEndpoint}{text}{GetAvatarExtension(format)}?size={(int)size}";
		}

		public string GetAvatarExtension(AvatarFormat format)
		{
			return "." + format.ToString().ToLowerInvariant();
		}

		public override string ToString()
		{
			if (!string.IsNullOrEmpty(DisplayName))
			{
				return DisplayName;
			}
			if (Discriminator != 0)
			{
				return Username + "#" + Discriminator.ToString("D4");
			}
			return Username;
		}
	}
}
namespace DiscordRPC.RPC
{
	internal class RpcConnection : IDisposable
	{
		public static readonly int VERSION = 1;

		public static readonly int POLL_RATE = 1000;

		private static readonly bool CLEAR_ON_SHUTDOWN = true;

		private static readonly bool LOCK_STEP = false;

		private ILogger _logger;

		private RpcState _state;

		private readonly object l_states = new object();

		private Configuration _configuration = null;

		private readonly object l_config = new object();

		private volatile bool aborting = false;

		private volatile bool shutdown = false;

		private string applicationID;

		private int processID;

		private long nonce;

		private Thread thread;

		private INamedPipeClient namedPipe;

		private int targetPipe;

		private readonly object l_rtqueue = new object();

		private readonly uint _maxRtQueueSize;

		private Queue<ICommand> _rtqueue;

		private readonly object l_rxqueue = new object();

		private readonly uint _maxRxQueueSize;

		private Queue<IMessage> _rxqueue;

		private AutoResetEvent queueUpdatedEvent = new AutoResetEvent(initialState: false);

		private BackoffDelay delay;

		public ILogger Logger
		{
			get
			{
				return _logger;
			}
			set
			{
				_logger = value;
				if (namedPipe != null)
				{
					namedPipe.Logger = value;
				}
			}
		}

		public RpcState State
		{
			get
			{
				lock (l_states)
				{
					return _state;
				}
			}
		}

		public Configuration Configuration
		{
			get
			{
				Configuration result = null;
				lock (l_config)
				{
					result = _configuration;
				}
				return result;
			}
		}

		public bool IsRunning => thread != null;

		public bool ShutdownOnly { get; set; }

		public event OnRpcMessageEvent OnRpcMessage;

		public RpcConnection(string applicationID, int processID, int targetPipe, INamedPipeClient client, uint maxRxQueueSize = 128u, uint maxRtQueueSize = 512u)
		{
			this.applicationID = applicationID;
			this.processID = processID;
			this.targetPipe = targetPipe;
			namedPipe = client;
			ShutdownOnly = true;
			Logger = new ConsoleLogger();
			delay = new BackoffDelay(500, 60000);
			_maxRtQueueSize = maxRtQueueSize;
			_rtqueue = new Queue<ICommand>((int)(_maxRtQueueSize + 1));
			_maxRxQueueSize = maxRxQueueSize;
			_rxqueue = new Queue<IMessage>((int)(_maxRxQueueSize + 1));
			nonce = 0L;
		}

		private long GetNextNonce()
		{
			nonce++;
			return nonce;
		}

		internal void EnqueueCommand(ICommand command)
		{
			Logger.Trace("Enqueue Command: {0}", command.GetType().FullName);
			if (aborting || shutdown)
			{
				return;
			}
			lock (l_rtqueue)
			{
				if (_rtqueue.Count == _maxRtQueueSize)
				{
					Logger.Error("Too many enqueued commands, dropping oldest one. Maybe you are pushing new presences to fast?");
					_rtqueue.Dequeue();
				}
				_rtqueue.Enqueue(command);
			}
		}

		private void EnqueueMessage(IMessage message)
		{
			try
			{
				if (this.OnRpcMessage != null)
				{
					this.OnRpcMessage(this, message);
				}
			}
			catch (Exception ex)
			{
				Logger.Error("Unhandled Exception while processing event: {0}", ex.GetType().FullName);
				Logger.Error(ex.Message);
				Logger.Error(ex.StackTrace);
			}
			if (_maxRxQueueSize == 0)
			{
				Logger.Trace("Enqueued Message, but queue size is 0.");
				return;
			}
			Logger.Trace("Enqueue Message: {0}", message.Type);
			lock (l_rxqueue)
			{
				if (_rxqueue.Count == _maxRxQueueSize)
				{
					Logger.Warning("Too many enqueued messages, dropping oldest one.");
					_rxqueue.Dequeue();
				}
				_rxqueue.Enqueue(message);
			}
		}

		internal IMessage DequeueMessage()
		{
			lock (l_rxqueue)
			{
				if (_rxqueue.Count == 0)
				{
					return null;
				}
				return _rxqueue.Dequeue();
			}
		}

		internal IMessage[] DequeueMessages()
		{
			lock (l_rxqueue)
			{
				IMessage[] result = _rxqueue.ToArray();
				_rxqueue.Clear();
				return result;
			}
		}

		private void MainLoop()
		{
			Logger.Info("RPC Connection Started");
			if (Logger.Level <= LogLevel.Trace)
			{
				Logger.Trace("============================");
				Logger.Trace("Assembly:             " + Assembly.GetAssembly(typeof(RichPresence)).FullName);
				Logger.Trace("Pipe:                 " + namedPipe.GetType().FullName);
				Logger.Trace("Platform:             " + Environment.OSVersion.ToString());
				Logger.Trace("applicationID:        " + applicationID);
				Logger.Trace("targetPipe:           " + targetPipe);
				Logger.Trace("POLL_RATE:            " + POLL_RATE);
				Logger.Trace("_maxRtQueueSize:      " + _maxRtQueueSize);
				Logger.Trace("_maxRxQueueSize:      " + _maxRxQueueSize);
				Logger.Trace("============================");
			}
			while (!aborting && !shutdown)
			{
				try
				{
					if (namedPipe == null)
					{
						Logger.Error("Something bad has happened with our pipe client!");
						aborting = true;
						return;
					}
					Logger.Trace("Connecting to the pipe through the {0}", namedPipe.GetType().FullName);
					if (namedPipe.Connect(targetPipe))
					{
						Logger.Trace("Connected to the pipe. Attempting to establish handshake...");
						EnqueueMessage(new ConnectionEstablishedMessage
						{
							ConnectedPipe = namedPipe.ConnectedPipe
						});
						EstablishHandshake();
						Logger.Trace("Connection Established. Starting reading loop...");
						bool flag = true;
						while (flag && !aborting && !shutdown && namedPipe.IsConnected)
						{
							if (namedPipe.ReadFrame(out var frame))
							{
								Logger.Trace("Read Payload: {0}", frame.Opcode);
								switch (frame.Opcode)
								{
								case Opcode.Close:
								{
									ClosePayload @object = frame.GetObject<ClosePayload>();
									Logger.Warning("We have been told to terminate by discord: ({0}) {1}", @object.Code, @object.Reason);
									EnqueueMessage(new CloseMessage
									{
										Code = @object.Code,
										Reason = @object.Reason
									});
									flag = false;
									break;
								}
								case Opcode.Ping:
									Logger.Trace("PING");
									frame.Opcode = Opcode.Pong;
									namedPipe.WriteFrame(frame);
									break;
								case Opcode.Pong:
									Logger.Trace("PONG");
									break;
								case Opcode.Frame:
								{
									if (shutdown)
									{
										Logger.Warning("Skipping frame because we are shutting down.");
										break;
									}
									if (frame.Data == null)
									{
										Logger.Error("We received no data from the frame so we cannot get the event payload!");
										break;
									}
									EventPayload eventPayload = null;
									try
									{
										eventPayload = frame.GetObject<EventPayload>();
									}
									catch (Exception ex)
									{
										Logger.Error("Failed to parse event! {0}", ex.Message);
										Logger.Error("Data: {0}", frame.Message);
									}
									try
									{
										if (eventPayload != null)
										{
											ProcessFrame(eventPayload);
										}
									}
									catch (Exception ex2)
									{
										Logger.Error("Failed to process event! {0}", ex2.Message);
										Logger.Error("Data: {0}", frame.Message);
									}
									break;
								}
								default:
									Logger.Error("Invalid opcode: {0}", frame.Opcode);
									flag = false;
									break;
								}
							}
							if (!aborting && namedPipe.IsConnected)
							{
								ProcessCommandQueue();
								queueUpdatedEvent.WaitOne(POLL_RATE);
							}
						}
						Logger.Trace("Left main read loop for some reason. Aborting: {0}, Shutting Down: {1}", aborting, shutdown);
					}
					else
					{
						Logger.Error("Failed to connect for some reason.");
						EnqueueMessage(new ConnectionFailedMessage
						{
							FailedPipe = targetPipe
						});
					}
					if (!aborting && !shutdown)
					{
						long num = delay.NextDelay();
						Logger.Trace("Waiting {0}ms before attempting to connect again", num);
						Thread.Sleep(delay.NextDelay());
					}
				}
				catch (Exception ex3)
				{
					Logger.Error("Unhandled Exception: {0}", ex3.GetType().FullName);
					Logger.Error(ex3.Message);
					Logger.Error(ex3.StackTrace);
				}
				finally
				{
					if (namedPipe.IsConnected)
					{
						Logger.Trace("Closing the named pipe.");
						namedPipe.Close();
					}
					SetConnectionState(RpcState.Disconnected);
				}
			}
			Logger.Trace("Left Main Loop");
			if (namedPipe != null)
			{
				namedPipe.Dispose();
			}
			Logger.Info("Thread Terminated, no longer performing RPC connection.");
		}

		private void ProcessFrame(EventPayload response)
		{
			//IL_021a: Unknown result type (might be due to invalid IL or missing references)
			//IL_0221: Expected O, but got Unknown
			Logger.Info("Handling Response. Cmd: {0}, Event: {1}", response.Command, response.Event);
			if (response.Event.HasValue && response.Event.Value == ServerEvent.Error)
			{
				Logger.Error("Error received from the RPC");
				ErrorMessage @object = response.GetObject<ErrorMessage>();
				Logger.Error("Server responded with an error message: ({0}) {1}", @object.Code.ToString(), @object.Message);
				EnqueueMessage(@object);
			}
			else if (State == RpcState.Connecting && response.Command == Command.Dispatch && response.Event.HasValue && response.Event.Value == ServerEvent.Ready)
			{
				Logger.Info("Connection established with the RPC");
				SetConnectionState(RpcState.Connected);
				delay.Reset();
				ReadyMessage object2 = response.GetObject<ReadyMessage>();
				lock (l_config)
				{
					_configuration = object2.Configuration;
					object2.User.SetConfiguration(_configuration);
				}
				EnqueueMessage(object2);
			}
			else if (State == RpcState.Connected)
			{
				switch (response.Command)
				{
				case Command.Dispatch:
					ProcessDispatch(response);
					break;
				case Command.SetActivity:
				{
					if (response.Data == null)
					{
						EnqueueMessage(new PresenceMessage());
						break;
					}
					RichPresenceResponse object3 = response.GetObject<RichPresenceResponse>();
					EnqueueMessage(new PresenceMessage(object3));
					break;
				}
				case Command.Subscribe:
				case Command.Unsubscribe:
				{
					JsonSerializer val = new JsonSerializer();
					((Collection<JsonConverter>)(object)val.Converters).Add((JsonConverter)(object)new EnumSnakeCaseConverter());
					ServerEvent value = response.GetObject<EventPayload>().Event.Value;
					if (response.Command == Command.Subscribe)
					{
						EnqueueMessage(new SubscribeMessage(value));
					}
					else
					{
						EnqueueMessage(new UnsubscribeMessage(value));
					}
					break;
				}
				case Command.SendActivityJoinInvite:
					Logger.Trace("Got invite response ack.");
					break;
				case Command.CloseActivityJoinRequest:
					Logger.Trace("Got invite response reject ack.");
					break;
				default:
					Logger.Error("Unkown frame was received! {0}", response.Command);
					break;
				}
			}
			else
			{
				Logger.Trace("Received a frame while we are disconnected. Ignoring. Cmd: {0}, Event: {1}", response.Command, response.Event);
			}
		}

		private void ProcessDispatch(EventPayload response)
		{
			if (response.Command == Command.Dispatch && response.Event.HasValue)
			{
				switch (response.Event.Value)
				{
				case ServerEvent.ActivitySpectate:
				{
					SpectateMessage object3 = response.GetObject<SpectateMessage>();
					EnqueueMessage(object3);
					break;
				}
				case ServerEvent.ActivityJoin:
				{
					JoinMessage object2 = response.GetObject<JoinMessage>();
					EnqueueMessage(object2);
					break;
				}
				case ServerEvent.ActivityJoinRequest:
				{
					JoinRequestMessage @object = response.GetObject<JoinRequestMessage>();
					EnqueueMessage(@object);
					break;
				}
				default:
					Logger.Warning("Ignoring {0}", response.Event.Value);
					break;
				}
			}
		}

		private void ProcessCommandQueue()
		{
			if (State != RpcState.Connected)
			{
				return;
			}
			if (aborting)
			{
				Logger.Warning("We have been told to write a queue but we have also been aborted.");
			}
			bool flag = true;
			ICommand command = null;
			while (flag && namedPipe.IsConnected)
			{
				lock (l_rtqueue)
				{
					flag = _rtqueue.Count > 0;
					if (!flag)
					{
						break;
					}
					command = _rtqueue.Peek();
				}
				if (shutdown || (!aborting && LOCK_STEP))
				{
					flag = false;
				}
				IPayload payload = command.PreparePayload(GetNextNonce());
				Logger.Trace("Attempting to send payload: {0}", payload.Command);
				PipeFrame frame = default(PipeFrame);
				if (command is CloseCommand)
				{
					SendHandwave();
					Logger.Trace("Handwave sent, ending queue processing.");
					lock (l_rtqueue)
					{
						_rtqueue.Dequeue();
						break;
					}
				}
				if (aborting)
				{
					Logger.Warning("- skipping frame because of abort.");
					lock (l_rtqueue)
					{
						_rtqueue.Dequeue();
					}
					continue;
				}
				frame.SetObject(Opcode.Frame, payload);
				Logger.Trace("Sending payload: {0}", payload.Command);
				if (namedPipe.WriteFrame(frame))
				{
					Logger.Trace("Sent Successfully.");
					lock (l_rtqueue)
					{
						_rtqueue.Dequeue();
					}
					continue;
				}
				Logger.Warning("Something went wrong during writing!");
				break;
			}
		}

		private void EstablishHandshake()
		{
			Logger.Trace("Attempting to establish a handshake...");
			if (State != 0)
			{
				Logger.Error("State must be disconnected in order to start a handshake!");
				return;
			}
			Logger.Trace("Sending Handshake...");
			if (!namedPipe.WriteFrame(new PipeFrame(Opcode.Handshake, new Handshake
			{
				Version = VERSION,
				ClientID = applicationID
			})))
			{
				Logger.Error("Failed to write a handshake.");
			}
			else
			{
				SetConnectionState(RpcState.Connecting);
			}
		}

		private void SendHandwave()
		{
			Logger.Info("Attempting to wave goodbye...");
			if (State == RpcState.Disconnected)
			{
				Logger.Error("State must NOT be disconnected in order to send a handwave!");
			}
			else if (!namedPipe.WriteFrame(new PipeFrame(Opcode.Close, new Handshake
			{
				Version = VERSION,
				ClientID = applicationID
			})))
			{
				Logger.Error("failed to write a handwave.");
			}
		}

		public bool AttemptConnection()
		{
			Logger.Info("Attempting a new connection");
			if (thread != null)
			{
				Logger.Error("Cannot attempt a new connection as the previous connection thread is not null!");
				return false;
			}
			if (State != 0)
			{
				Logger.Warning("Cannot attempt a new connection as the previous connection hasn't changed state yet.");
				return false;
			}
			if (aborting)
			{
				Logger.Error("Cannot attempt a new connection while aborting!");
				return false;
			}
			thread = new Thread(MainLoop);
			thread.Name = "Discord IPC Thread";
			thread.IsBackground = true;
			thread.Start();
			return true;
		}

		private void SetConnectionState(RpcState state)
		{
			Logger.Trace("Setting the connection state to {0}", state.ToString().ToSnakeCase().ToUpperInvariant());
			lock (l_states)
			{
				_state = state;
			}
		}

		public void Shutdown()
		{
			Logger.Trace("Initiated shutdown procedure");
			shutdown = true;
			lock (l_rtqueue)
			{
				_rtqueue.Clear();
				if (CLEAR_ON_SHUTDOWN)
				{
					_rtqueue.Enqueue(new PresenceCommand
					{
						PID = processID,
						Presence = null
					});
				}
				_rtqueue.Enqueue(new CloseCommand());
			}
			queueUpdatedEvent.Set();
		}

		public void Close()
		{
			if (thread == null)
			{
				Logger.Error("Cannot close as it is not available!");
				return;
			}
			if (aborting)
			{
				Logger.Error("Cannot abort as it has already been aborted");
				return;
			}
			if (ShutdownOnly)
			{
				Shutdown();
				return;
			}
			Logger.Trace("Updating Abort State...");
			aborting = true;
			queueUpdatedEvent.Set();
		}

		public void Dispose()
		{
			ShutdownOnly = false;
			Close();
		}
	}
	internal enum RpcState
	{
		Disconnected,
		Connecting,
		Connected
	}
}
namespace DiscordRPC.RPC.Payload
{
	internal class ClosePayload : IPayload
	{
		[JsonProperty("code")]
		public int Code { get; set; }

		[JsonProperty("message")]
		public string Reason { get; set; }

		[JsonConstructor]
		public ClosePayload()
		{
			Code = -1;
			Reason = "";
		}
	}
	internal enum Command
	{
		[EnumValue("DISPATCH")]
		Dispatch,
		[EnumValue("SET_ACTIVITY")]
		SetActivity,
		[EnumValue("SUBSCRIBE")]
		Subscribe,
		[EnumValue("UNSUBSCRIBE")]
		Unsubscribe,
		[EnumValue("SEND_ACTIVITY_JOIN_INVITE")]
		SendActivityJoinInvite,
		[EnumValue("CLOSE_ACTIVITY_JOIN_REQUEST")]
		CloseActivityJoinRequest,
		[Obsolete("This value is appart of the RPC API and is not supported by this library.", true)]
		Authorize,
		[Obsolete("This value is appart of the RPC API and is not supported by this library.", true)]
		Authenticate,
		[Obsolete("This value is appart of the RPC API and is not supported by this library.", true)]
		GetGuild,
		[Obsolete("This value is appart of the RPC API and is not supported by this library.", true)]
		GetGuilds,
		[Obsolete("This value is appart of the RPC API and is not supported by this library.", true)]
		GetChannel,
		[Obsolete("This value is appart of the RPC API and is not supported by this library.", true)]
		GetChannels,
		[Obsolete("This value is appart of the RPC API and is not supported by this library.", true)]
		SetUserVoiceSettings,
		[Obsolete("This value is appart of the RPC API and is not supported by this library.", true)]
		SelectVoiceChannel,
		[Obsolete("This value is appart of the RPC API and is not supported by this library.", true)]
		GetSelectedVoiceChannel,
		[Obsolete("This value is appart of the RPC API and is not supported by this library.", true)]
		SelectTextChannel,
		[Obsolete("This value is appart of the RPC API and is not supported by this library.", true)]
		GetVoiceSettings,
		[Obsolete("This value is appart of the RPC API and is not supported by this library.", true)]
		SetVoiceSettings,
		[Obsolete("This value is appart of the RPC API and is not supported by this library.", true)]
		CaptureShortcut
	}
	internal abstract class IPayload
	{
		[JsonProperty("cmd")]
		[JsonConverter(typeof(EnumSnakeCaseConverter))]
		public Command Command { get; set; }

		[JsonProperty("nonce")]
		public string Nonce { get; set; }

		protected IPayload()
		{
		}

		protected IPayload(long nonce)
		{
			Nonce = nonce.ToString();
		}

		public override string ToString()
		{
			return $"Payload || Command: {Command}, Nonce: {Nonce}";
		}
	}
	internal class ArgumentPayload : IPayload
	{
		[JsonProperty(/*Could not decode attribute arguments.*/)]
		public JObject Arguments { get; set; }

		public ArgumentPayload()
		{
			Arguments = null;
		}

		public ArgumentPayload(long nonce)
			: base(nonce)
		{
			Arguments = null;
		}

		public ArgumentPayload(object args, long nonce)
			: base(nonce)
		{
			SetObject(args);
		}

		public void SetObject(object obj)
		{
			Arguments = JObject.FromObject(obj);
		}

		public T GetObject<T>()
		{
			return ((JToken)Arguments).ToObject<T>();
		}

		public override string ToString()
		{
			return "Argument " + base.ToString();
		}
	}
	internal class EventPayload : IPayload
	{
		[JsonProperty(/*Could not decode attribute arguments.*/)]
		public JObject Data { get; set; }

		[JsonProperty("evt")]
		[JsonConverter(typeof(EnumSnakeCaseConverter))]
		public ServerEvent? Event { get; set; }

		public EventPayload()
		{
			Data = null;
		}

		public EventPayload(long nonce)
			: base(nonce)
		{
			Data = null;
		}

		public T GetObject<T>()
		{
			if (Data == null)
			{
				return default(T);
			}
			return ((JToken)Data).ToObject<T>();
		}

		public override string ToString()
		{
			return "Event " + base.ToString() + ", Event: " + (Event.HasValue ? Event.ToString() : "N/A");
		}
	}
	internal enum ServerEvent
	{
		[EnumValue("READY")]
		Ready,
		[EnumValue("ERROR")]
		Error,
		[EnumValue("ACTIVITY_JOIN")]
		ActivityJoin,
		[EnumValue("ACTIVITY_SPECTATE")]
		ActivitySpectate,
		[EnumValue("ACTIVITY_JOIN_REQUEST")]
		ActivityJoinRequest
	}
}
namespace DiscordRPC.RPC.Commands
{
	internal class CloseCommand : ICommand
	{
		[JsonProperty("close_reason")]
		public string value = "Unity 5.5 doesn't handle thread aborts. Can you please close me discord?";

		[JsonProperty("pid")]
		public int PID { get; set; }

		public IPayload PreparePayload(long nonce)
		{
			return new ArgumentPayload
			{
				Command = Command.Dispatch,
				Nonce = null,
				Arguments = null
			};
		}
	}
	internal interface ICommand
	{
		IPayload PreparePayload(long nonce);
	}
	internal class PresenceCommand : ICommand
	{
		[JsonProperty("pid")]
		public int PID { get; set; }

		[JsonProperty("activity")]
		public RichPresence Presence { get; set; }

		public IPayload PreparePayload(long nonce)
		{
			return new ArgumentPayload(this, nonce)
			{
				Command = Command.SetActivity
			};
		}
	}
	internal class RespondCommand : ICommand
	{
		[JsonProperty("user_id")]
		public string UserID { get; set; }

		[JsonIgnore]
		public bool Accept { get; set; }

		public IPayload PreparePayload(long nonce)
		{
			return new ArgumentPayload(this, nonce)
			{
				Command = (Accept ? Command.SendActivityJoinInvite : Command.CloseActivityJoinRequest)
			};
		}
	}
	internal class SubscribeCommand : ICommand
	{
		public ServerEvent Event { get; set; }

		public bool IsUnsubscribe { get; set; }

		public IPayload PreparePayload(long nonce)
		{
			return new EventPayload(nonce)
			{
				Command = (IsUnsubscribe ? Command.Unsubscribe : Command.Subscribe),
				Event = Event
			};
		}
	}
}
namespace DiscordRPC.Registry
{
	internal interface IUriSchemeCreator
	{
		bool RegisterUriScheme(UriSchemeRegister register);
	}
	internal class MacUriSchemeCreator : IUriSchemeCreator
	{
		private ILogger logger;

		public MacUriSchemeCreator(ILogger logger)
		{
			this.logger = logger;
		}

		public bool RegisterUriScheme(UriSchemeRegister register)
		{
			string executablePath = register.ExecutablePath;
			if (string.IsNullOrEmpty(executablePath))
			{
				logger.Error("Failed to register because the application could not be located.");
				return false;
			}
			logger.Trace("Registering Steam Command");
			string text = executablePath;
			if (register.UsingSteamApp)
			{
				text = "steam://rungameid/" + register.SteamAppID;
			}
			else
			{
				logger.Warning("This library does not fully support MacOS URI Scheme Registration.");
			}
			string text2 = "~/Library/Application Support/discord/games";
			DirectoryInfo directoryInfo = Directory.CreateDirectory(text2);
			if (!directoryInfo.Exists)
			{
				logger.Error("Failed to register because {0} does not exist", text2);
				return false;
			}
			string text3 = text2 + "/" + register.ApplicationID + ".json";
			File.WriteAllText(text3, "{ \"command\": \"" + text + "\" }");
			logger.Trace("Registered {0}, {1}", text3, text);
			return true;
		}
	}
	internal class UnixUriSchemeCreator : IUriSchemeCreator
	{
		private ILogger logger;

		public UnixUriSchemeCreator(ILogger logger)
		{
			this.logger = logger;
		}

		public bool RegisterUriScheme(UriSchemeRegister register)
		{
			string environmentVariable = Environment.GetEnvironmentVariable("HOME");
			if (string.IsNullOrEmpty(environmentVariable))
			{
				logger.Error("Failed to register because the HOME variable was not set.");
				return false;
			}
			string executablePath = register.ExecutablePath;
			if (string.IsNullOrEmpty(executablePath))
			{
				logger.Error("Failed to register because the application was not located.");
				return false;
			}
			string text = null;
			text = ((!register.UsingSteamApp) ? executablePath : ("xdg-open steam://rungameid/" + register.SteamAppID));
			string format = "[Desktop Entry]\r\nName=Game {0}\r\nExec={1} %u\r\nType=Application\r\nNoDisplay=true\r\nCategories=Discord;Games;\r\nMimeType=x-scheme-handler/discord-{2}";
			string text2 = string.Format(format, register.ApplicationID, text, register.ApplicationID);
			string text3 = "/discord-" + register.ApplicationID + ".desktop";
			string text4 = environmentVariable + "/.local/share/applications";
			DirectoryInfo directoryInfo = Directory.CreateDirectory(text4);
			if (!directoryInfo.Exists)
			{
				logger.Error("Failed to register because {0} does not exist", text4);
				return false;
			}
			File.WriteAllText(text4 + text3, text2);
			if (!RegisterMime(register.ApplicationID))
			{
				logger.Error("Failed to register because the Mime failed.");
				return false;
			}
			logger.Trace("Registered {0}, {1}, {2}", text4 + text3, text2, text);
			return true;
		}

		private bool RegisterMime(string appid)
		{
			string format = "default discord-{0}.desktop x-scheme-handler/discord-{0}";
			string arguments = string.Format(format, appid);
			Process process = Process.Start("xdg-mime", arguments);
			process.WaitForExit();
			return process.ExitCode >= 0;
		}
	}
	internal class UriSchemeRegister
	{
		private ILogger _logger;

		public string ApplicationID { get; set; }

		public string SteamAppID { get; set; }

		public bool UsingSteamApp => !string.IsNullOrEmpty(SteamAppID) && SteamAppID != "";

		public string ExecutablePath { get; set; }

		public UriSchemeRegister(ILogger logger, string applicationID, string steamAppID = null, string executable = null)
		{
			_logger = logger;
			ApplicationID = applicationID.Trim();
			SteamAppID = steamAppID?.Trim();
			ExecutablePath = executable ?? GetApplicationLocation();
		}

		public bool RegisterUriScheme()
		{
			IUriSchemeCreator uriSchemeCreator = null;
			switch (Environment.OSVersion.Platform)
			{
			case PlatformID.Win32S:
			case PlatformID.Win32Windows:
			case PlatformID.Win32NT:
			case PlatformID.WinCE:
				_logger.Trace("Creating Windows Scheme Creator");
				uriSchemeCreator = new WindowsUriSchemeCreator(_logger);
				break;
			case PlatformID.Unix:
				_logger.Trace("Creating Unix Scheme Creator");
				uriSchemeCreator = new UnixUriSchemeCreator(_logger);
				break;
			case PlatformID.MacOSX:
				_logger.Trace("Creating MacOSX Scheme Creator");
				uriSchemeCreator = new MacUriSchemeCreator(_logger);
				break;
			default:
				_logger.Error("Unkown Platform: {0}", Environment.OSVersion.Platform);
				throw new PlatformNotSupportedException("Platform does not support registration.");
			}
			if (uriSchemeCreator.RegisterUriScheme(this))
			{
				_logger.Info("URI scheme registered.");
				return true;
			}
			return false;
		}

		public static string GetApplicationLocation()
		{
			return Process.GetCurrentProcess().MainModule.FileName;
		}
	}
	internal class WindowsUriSchemeCreator : IUriSchemeCreator
	{
		private ILogger logger;

		public WindowsUriSchemeCreator(ILogger logger)
		{
			this.logger = logger;
		}

		public bool RegisterUriScheme(UriSchemeRegister register)
		{
			if (Environment.OSVersion.Platform == PlatformID.Unix || Environment.OSVersion.Platform == PlatformID.MacOSX)
			{
				throw new PlatformNotSupportedException("URI schemes can only be registered on Windows");
			}
			string executablePath = register.ExecutablePath;
			if (executablePath == null)
			{
				logger.Error("Failed to register application because the location was null.");
				return false;
			}
			string scheme = "discord-" + register.ApplicationID;
			string friendlyName = "Run game " + register.ApplicationID + " protocol";
			string defaultIcon = executablePath;
			string command = executablePath;
			if (register.UsingSteamApp)
			{
				string steamLocation = GetSteamLocation();
				if (steamLocation != null)
				{
					command = $"\"{steamLocation}\" steam://rungameid/{register.SteamAppID}";
				}
			}
			CreateUriScheme(scheme, friendlyName, defaultIcon, command);
			return true;
		}

		private void CreateUriScheme(string scheme, string friendlyName, string defaultIcon, string command)
		{
			using (RegistryKey registryKey = Microsoft.Win32.Registry.CurrentUser.CreateSubKey("SOFTWARE\\Classes\\" + scheme))
			{
				registryKey.SetValue("", "URL:" + friendlyName);
				registryKey.SetValue("URL Protocol", "");
				using (RegistryKey registryKey2 = registryKey.CreateSubKey("DefaultIcon"))
				{
					registryKey2.SetValue("", defaultIcon);
				}
				using RegistryKey registryKey3 = registryKey.CreateSubKey("shell\\open\\command");
				registryKey3.SetValue("", command);
			}
			logger.Trace("Registered {0}, {1}, {2}", scheme, friendlyName, command);
		}

		public string GetSteamLocation()
		{
			using RegistryKey registryKey = Microsoft.Win32.Registry.CurrentUser.OpenSubKey("Software\\Valve\\Steam");
			if (registryKey == null)
			{
				return null;
			}
			return registryKey.GetValue("SteamExe") as string;
		}
	}
}
namespace DiscordRPC.Message
{
	public class CloseMessage : IMessage
	{
		public override MessageType Type => MessageType.Close;

		public string Reason { get; internal set; }

		public int Code { get; internal set; }

		internal CloseMessage()
		{
		}

		internal CloseMessage(string reason)
		{
			Reason = reason;
		}
	}
	public class ConnectionEstablishedMessage : IMessage
	{
		public override MessageType Type => MessageType.ConnectionEstablished;

		public int ConnectedPipe { get; internal set; }
	}
	public class ConnectionFailedMessage : IMessage
	{
		public override MessageType Type => MessageType.ConnectionFailed;

		public int FailedPipe { get; internal set; }
	}
	public class ErrorMessage : IMessage
	{
		public override MessageType Type => MessageType.Error;

		[JsonProperty("code")]
		public ErrorCode Code { get; internal set; }

		[JsonProperty("message")]
		public string Message { get; internal set; }
	}
	public enum ErrorCode
	{
		Success = 0,
		PipeException = 1,
		ReadCorrupt = 2,
		NotImplemented = 10,
		UnkownError = 1000,
		InvalidPayload = 4000,
		InvalidCommand = 4002,
		InvalidEvent = 4004
	}
	public abstract class IMessage
	{
		private DateTime _timecreated;

		public abstract MessageType Type { get; }

		public DateTime TimeCreated => _timecreated;

		public IMessage()
		{
			_timecreated = DateTime.Now;
		}
	}
	public class JoinMessage : IMessage
	{
		public override MessageType Type => MessageType.Join;

		[JsonProperty("secret")]
		public string Secret { get; internal set; }
	}
	public class JoinRequestMessage : IMessage
	{
		public override MessageType Type => MessageType.JoinRequest;

		[JsonProperty("user")]
		public User User { get; internal set; }
	}
	public enum MessageType
	{
		Ready,
		Close,
		Error,
		PresenceUpdate,
		Subscribe,
		Unsubscribe,
		Join,
		Spectate,
		JoinRequest,
		ConnectionEstablished,
		ConnectionFailed
	}
	public class PresenceMessage : IMessage
	{
		public override MessageType Type => MessageType.PresenceUpdate;

		public BaseRichPresence Presence { get; internal set; }

		public string Name { get; internal set; }

		public string ApplicationID { get; internal set; }

		internal PresenceMessage()
			: this(null)
		{
		}

		internal PresenceMessage(RichPresenceResponse rpr)
		{
			if (rpr == null)
			{
				Presence = null;
				Name = "No Rich Presence";
				ApplicationID = "";
			}
			else
			{
				Presence = rpr;
				Name = rpr.Name;
				ApplicationID = rpr.ClientID;
			}
		}
	}
	public class ReadyMessage : IMessage
	{
		public override MessageType Type => MessageType.Ready;

		[JsonProperty("config")]
		public Configuration Configuration { get; set; }

		[JsonProperty("user")]
		public User User { get; set; }

		[JsonProperty("v")]
		public int Version { get; set; }
	}
	public class SpectateMessage : JoinMessage
	{
		public override MessageType Type => MessageType.Spectate;
	}
	public class SubscribeMessage : IMessage
	{
		public override MessageType Type => MessageType.Subscribe;

		public EventType Event { get; internal set; }

		internal SubscribeMessage(ServerEvent evt)
		{
			switch (evt)
			{
			default:
				Event = EventType.Join;
				break;
			case ServerEvent.ActivityJoinRequest:
				Event = EventType.JoinRequest;
				break;
			case ServerEvent.ActivitySpectate:
				Event = EventType.Spectate;
				break;
			}
		}
	}
	public class UnsubscribeMessage : IMessage
	{
		public override MessageType Type => MessageType.Unsubscribe;

		public EventType Event { get; internal set; }

		internal UnsubscribeMessage(ServerEvent evt)
		{
			switch (evt)
			{
			default:
				Event = EventType.Join;
				break;
			case ServerEvent.ActivityJoinRequest:
				Event = EventType.JoinRequest;
				break;
			case ServerEvent.ActivitySpectate:
				Event = EventType.Spectate;
				break;
			}
		}
	}
}
namespace DiscordRPC.Logging
{
	public class ConsoleLogger : ILogger
	{
		public LogLevel Level { get; set; }

		public bool Coloured { get; set; }

		[Obsolete("Use Coloured")]
		public bool Colored
		{
			get
			{
				return Coloured;
			}
			set
			{
				Coloured = value;
			}
		}

		public ConsoleLogger()
		{
			Level = LogLevel.Info;
			Coloured = false;
		}

		public ConsoleLogger(LogLevel level)
			: this()
		{
			Level = level;
		}

		public ConsoleLogger(LogLevel level, bool coloured)
		{
			Level = level;
			Coloured = coloured;
		}

		public void Trace(string message, params object[] args)
		{
			if (Level <= LogLevel.Trace)
			{
				if (Coloured)
				{
					Console.ForegroundColor = ConsoleColor.Gray;
				}
				string text = "TRACE: " + message;
				if (args.Length != 0)
				{
					Console.WriteLine(text, args);
				}
				else
				{
					Console.WriteLine(text);
				}
			}
		}

		public void Info(string message, params object[] args)
		{
			if (Level <= LogLevel.Info)
			{
				if (Coloured)
				{
					Console.ForegroundColor = ConsoleColor.White;
				}
				string text = "INFO: " + message;
				if (args.Length != 0)
				{
					Console.WriteLine(text, args);
				}
				else
				{
					Console.WriteLine(text);
				}
			}
		}

		public void Warning(string message, params object[] args)
		{
			if (Level <= LogLevel.Warning)
			{
				if (Coloured)
				{
					Console.ForegroundColor = ConsoleColor.Yellow;
				}
				string text = "WARN: " + message;
				if (args.Length != 0)
				{
					Console.WriteLine(text, args);
				}
				else
				{
					Console.WriteLine(text);
				}
			}
		}

		public void Error(string message, params object[] args)
		{
			if (Level <= LogLevel.Error)
			{
				if (Coloured)
				{
					Console.ForegroundColor = ConsoleColor.Red;
				}
				string text = "ERR : " + message;
				if (args.Length != 0)
				{
					Console.WriteLine(text, args);
				}
				else
				{
					Console.WriteLine(text);
				}
			}
		}
	}
	public class FileLogger : ILogger
	{
		private object filelock;

		public LogLevel Level { get; set; }

		public string File { get; set; }

		public FileLogger(string path)
			: this(path, LogLevel.Info)
		{
		}

		public FileLogger(string path, LogLevel level)
		{
			Level = level;
			File = path;
			filelock = new object();
		}

		public void Trace(string message, params object[] args)
		{
			if (Level > LogLevel.Trace)
			{
				return;
			}
			lock (filelock)
			{
				System.IO.File.AppendAllText(File, "\r\nTRCE: " + ((args.Length != 0) ? string.Format(message, args) : message));
			}
		}

		public void Info(string message, params object[] args)
		{
			if (Level > LogLevel.Info)
			{
				return;
			}
			lock (filelock)
			{
				System.IO.File.AppendAllText(File, "\r\nINFO: " + ((args.Length != 0) ? string.Format(message, args) : message));
			}
		}

		public void Warning(string message, params object[] args)
		{
			if (Level > LogLevel.Warning)
			{
				return;
			}
			lock (filelock)
			{
				System.IO.File.AppendAllText(File, "\r\nWARN: " + ((args.Length != 0) ? string.Format(message, args) : message));
			}
		}

		public void Error(string message, params object[] args)
		{
			if (Level > LogLevel.Error)
			{
				return;
			}
			lock (filelock)
			{
				System.IO.File.AppendAllText(File, "\r\nERR : " + ((args.Length != 0) ? string.Format(message, args) : message));
			}
		}
	}
	public interface ILogger
	{
		LogLevel Level { get; set; }

		void Trace(string message, params object[] args);

		void Info(string message, params object[] args);

		void Warning(string message, params object[] args);

		void Error(string message, params object[] args);
	}
	public enum LogLevel
	{
		Trace = 1,
		Info = 2,
		Warning = 3,
		Error = 4,
		None = 256
	}
	public class NullLogger : ILogger
	{
		public LogLevel Level { get; set; }

		public void Trace(string message, params object[] args)
		{
		}

		public void Info(string message, params object[] args)
		{
		}

		public void Warning(string message, params object[] args)
		{
		}

		public void Error(string message, params object[] args)
		{
		}
	}
}
namespace DiscordRPC.IO
{
	internal class Handshake
	{
		[JsonProperty("v")]
		public int Version { get; set; }

		[JsonProperty("client_id")]
		public string ClientID { get; set; }
	}
	public interface INamedPipeClient : IDisposable
	{
		ILogger Logger { get; set; }

		bool IsConnected { get; }

		int ConnectedPipe { get; }

		bool Connect(int pipe);

		bool ReadFrame(out PipeFrame frame);

		bool WriteFrame(PipeFrame frame);

		void Close();
	}
	public sealed class ManagedNamedPipeClient : INamedPipeClient, IDisposable
	{
		private const string PIPE_NAME = "discord-ipc-{0}";

		private int _connectedPipe;

		private NamedPipeClientStream _stream;

		private byte[] _buffer = new byte[PipeFrame.MAX_SIZE];

		private Queue<PipeFrame> _framequeue = new Queue<PipeFrame>();

		private object _framequeuelock = new object();

		private volatile bool _isDisposed = false;

		private volatile bool _isClosed = true;

		private object l_stream = new object();

		public ILogger Logger { get; set; }

		public bool IsConnected
		{
			get
			{
				if (_isClosed)
				{
					return false;
				}
				lock (l_stream)
				{
					return _stream != null && _stream.IsConnected;
				}
			}
		}

		public int ConnectedPipe => _connectedPipe;

		public ManagedNamedPipeClient()
		{
			_buffer = new byte[PipeFrame.MAX_SIZE];
			Logger = new NullLogger();
			_stream = null;
		}

		public bool Connect(int pipe)
		{
			Logger.Trace("ManagedNamedPipeClient.Connection({0})", pipe);
			if (_isDisposed)
			{
				throw new ObjectDisposedException("NamedPipe");
			}
			if (pipe > 9)
			{
				throw new ArgumentOutOfRangeException("pipe", "Argument cannot be greater than 9");
			}
			if (pipe < 0)
			{
				for (int i = 0; i < 10; i++)
				{
					if (AttemptConnection(i) || AttemptConnection(i, isSandbox: true))
					{
						BeginReadStream();
						return true;
					}
				}
			}
			else if (AttemptConnection(pipe) || AttemptConnection(pipe, isSandbox: true))
			{
				BeginReadStream();
				return true;
			}
			return false;
		}

		private bool AttemptConnection(int pipe, bool isSandbox = false)
		{
			if (_isDisposed)
			{
				throw new ObjectDisposedException("_stream");
			}
			string text = (isSandbox ? GetPipeSandbox() : "");
			if (isSandbox && text == null)
			{
				Logger.Trace("Skipping sandbox connection.");
				return false;
			}
			Logger.Trace("Connection Attempt {0} ({1})", pipe, text);
			string pipeName = GetPipeName(pipe, text);
			try
			{
				lock (l_stream)
				{
					Logger.Info("Attempting to connect to '{0}'", pipeName);
					_stream = new NamedPipeClientStream(".", pipeName, PipeDirection.InOut, PipeOptions.Asynchronous);
					_stream.Connect(0);
					Logger.Trace("Waiting for connection...");
					do
					{
						Thread.Sleep(10);
					}
					while (!_stream.IsConnected);
				}
				Logger.Info("Connected to '{0}'", pipeName);
				_connectedPipe = pipe;
				_isClosed = false;
			}
			catch (Exception ex)
			{
				Logger.Error("Failed connection to {0}. {1}", pipeName, ex.Message);
				Close();
			}
			Logger.Trace("Done. Result: {0}", _isClosed);
			return !_isClosed;
		}

		private void BeginReadStream()
		{
			if (_isClosed)
			{
				return;
			}
			try
			{
				lock (l_stream)
				{
					if (_stream != null && _stream.IsConnected)
					{
						Logger.Trace("Begining Read of {0} bytes", _buffer.Length);
						_stream.BeginRead(_buffer, 0, _buffer.Length, EndReadStream, _stream.IsConnected);
					}
				}
			}
			catch (ObjectDisposedException)
			{
				Logger.Warning("Attempted to start reading from a disposed pipe");
			}
			catch (InvalidOperationException)
			{
				Logger.Warning("Attempted to start reading from a closed pipe");
			}
			catch (Exception ex3)
			{
				Logger.Error("An exception occured while starting to read a stream: {0}", ex3.Message);
				Logger.Error(ex3.StackTrace);
			}
		}

		private void EndReadStream(IAsyncResult callback)
		{
			Logger.Trace("Ending Read");
			int num = 0;
			try
			{
				lock (l_stream)
				{
					if (_stream == null || !_stream.IsConnected)
					{
						return;
					}
					num = _stream.EndRead(callback);
				}
			}
			catch (IOException)
			{
				Logger.Warning("Attempted to end reading from a closed pipe");
				return;
			}
			catch (NullReferenceException)
			{
				Logger.Warning("Attempted to read from a null pipe");
				return;
			}
			catch (ObjectDisposedException)
			{
				Logger.Warning("Attemped to end reading from a disposed pipe");
				return;
			}
			catch (Exception ex4)
			{
				Logger.Error("An exception occured while ending a read of a stream: {0}", ex4.Message);
				Logger.Error(ex4.StackTrace);
				return;
			}
			Logger.Trace("Read {0} bytes", num);
			if (num > 0)
			{
				using MemoryStream stream = new MemoryStream(_buffer, 0, num);
				try
				{
					PipeFrame item = default(PipeFrame);
					if (item.ReadStream(stream))
					{
						Logger.Trace("Read a frame: {0}", item.Opcode);
						lock (_framequeuelock)
						{
							_framequeue.Enqueue(item);
						}
					}
					else
					{
						Logger.Error("Pipe failed to read from the data received by the stream.");
						Close();
					}
				}
				catch (Exception ex5)
				{
					Logger.Error("A exception has occured while trying to parse the pipe data: {0}", ex5.Message);
					Close();
				}
			}
			else if (IsUnix())
			{
				Logger.Error("Empty frame was read on {0}, aborting.", Environment.OSVersion);
				Close();
			}
			else
			{
				Logger.Warning("Empty frame was read. Please send report to Lachee.");
			}
			if (!_isClosed && IsConnected)
			{
				Logger.Trace("Starting another read");
				BeginReadStream();
			}
		}

		public bool ReadFrame(out PipeFrame frame)
		{
			if (_isDisposed)
			{
				throw new ObjectDisposedException("_stream");
			}
			lock (_framequeuelock)
			{
				if (_framequeue.Count == 0)
				{
					frame = default(PipeFrame);
					return false;
				}
				frame = _framequeue.Dequeue();
				return true;
			}
		}

		public bool WriteFrame(PipeFrame frame)
		{
			if (_isDisposed)
			{
				throw new ObjectDisposedException("_stream");
			}
			if (_isClosed || !IsConnected)
			{
				Logger.Error("Failed to write frame because the stream is closed");
				return false;
			}
			try
			{
				frame.WriteStream(_stream);
				return true;
			}
			catch (IOException ex)
			{
				Logger.Error("Failed to write frame because of a IO Exception: {0}", ex.Message);
			}
			catch (ObjectDisposedException)
			{
				Logger.Warning("Failed to write frame as the stream was already disposed");
			}
			catch (InvalidOperationException)
			{
				Logger.Warning("Failed to write frame because of a invalid operation");
			}
			return false;
		}

		public void Close()
		{
			if (_isClosed)
			{
				Logger.Warning("Tried to close a already closed pipe.");
				return;
			}
			try
			{
				lock (l_stream)
				{
					if (_stream != null)
					{
						try
						{
							_stream.Flush();
							_stream.Dispose();
						}
						catch (Exception)
						{
						}
						_stream = null;
						_isClosed = true;
					}
					else
					{
						Logger.Warning("Stream was closed, but no stream was available to begin with!");
					}
				}
			}
			catch (ObjectDisposedException)
			{
				Logger.Warning("Tried to dispose already disposed stream");
			}
			finally
			{
				_isClosed = true;
				_connectedPipe = -1;
			}
		}

		public void Dispose()
		{
			if (_isDisposed)
			{
				return;
			}
			if (!_isClosed)
			{
				Close();
			}
			lock (l_stream)
			{
				if (_stream != null)
				{
					_stream.Dispose();
					_stream = null;
				}
			}
			_isDisposed = true;
		}

		public static string GetPipeName(int pipe, string sandbox)
		{
			if (!IsUnix())
			{
				return sandbox + $"discord-ipc-{pipe}";
			}
			return Path.Combine(GetTemporaryDirectory(), sandbox + $"discord-ipc-{pipe}");
		}

		public static string GetPipeName(int pipe)
		{
			return GetPipeName(pipe, "");
		}

		public static string GetPipeSandbox()
		{
			PlatformID platform = Environment.OSVersion.Platform;
			PlatformID platformID = platform;
			if (platformID != PlatformID.Unix)
			{
				return null;
			}
			return "snap.discord/";
		}

		private static string GetTemporaryDirectory()
		{
			string text = null;
			text = text ?? Environment.GetEnvironmentVariable("XDG_RUNTIME_DIR");
			text = text ?? Environment.GetEnvironmentVariable("TMPDIR");
			text = text ?? Environment.GetEnvironmentVariable("TMP");
			text = text ?? Environment.GetEnvironmentVariable("TEMP");
			return text ?? "/tmp";
		}

		public static bool IsUnix()
		{
			PlatformID platform = Environment.OSVersion.Platform;
			PlatformID platformID = platform;
			if (platformID != PlatformID.Unix && platformID != PlatformID.MacOSX)
			{
				return false;
			}
			return true;
		}
	}
	public enum Opcode : uint
	{
		Handshake,
		Frame,
		Close,
		Ping,
		Pong
	}
	public struct PipeFrame : IEquatable<PipeFrame>
	{
		public static readonly int MAX_SIZE = 16384;

		public Opcode Opcode { get; set; }

		public uint Length => (uint)Data.Length;

		public byte[] Data { get; set; }

		public string Message
		{
			get
			{
				return GetMessage();
			}
			set
			{
				SetMessage(value);
			}
		}

		public Encoding MessageEncoding => Encoding.UTF8;

		public PipeFrame(Opcode opcode, object data)
		{
			Opcode = opcode;
			Data = null;
			SetObject(data);
		}

		private void SetMessage(string str)
		{
			Data = MessageEncoding.GetBytes(str);
		}

		private string GetMessage()
		{
			return MessageEncoding.GetString(Data);
		}

		public void SetObject(object obj)
		{
			string message = JsonConvert.SerializeObject(obj);
			SetMessage(message);
		}

		public void SetObject(Opcode opcode, object obj)
		{
			Opcode = opcode;
			SetObject(obj);
		}

		public T GetObject<T>()
		{
			string message = GetMessage();
			return JsonConvert.DeserializeObject<T>(message);
		}

		public bool ReadStream(Stream stream)
		{
			if (!TryReadUInt32(stream, out var value))
			{
				return false;
			}
			if (!TryReadUInt32(stream, out var value2))
			{
				return false;
			}
			uint num = value2;
			using MemoryStream memoryStream = new MemoryStream();
			uint num2 = (uint)Min(2048, value2);
			byte[] array = new byte[num2];
			int count;
			while ((count = stream.Read(array, 0, Min(array.Length, num))) > 0)
			{
				num -= num2;
				memoryStream.Write(array, 0, count);
			}
			byte[] array2 = memoryStream.ToArray();
			if (array2.LongLength != value2)
			{
				return false;
			}
			Opcode = (Opcode)value;
			Data = array2;
			return true;
		}

		private int Min(int a, uint b)
		{
			if (b >= a)
			{
				return a;
			}
			return (int)b;
		}

		private bool TryReadUInt32(Stream stream, out uint value)
		{
			byte[] array = new byte[4];
			int num = stream.Read(array, 0, array.Length);
			if (num != 4)
			{
				value = 0u;
				return false;
			}
			value = BitConverter.ToUInt32(array, 0);
			return true;
		}

		public void WriteStream(Stream stream)
		{
			byte[] bytes = BitConverter.GetBytes((uint)Opcode);
			byte[] bytes2 = BitConverter.GetBytes(Length);
			byte[] array = new byte[bytes.Length + bytes2.Length + Data.Length];
			bytes.CopyTo(array, 0);
			bytes2.CopyTo(array, bytes.Length);
			Data.CopyTo(array, bytes.Length + bytes2.Length);
			stream.Write(array, 0, array.Length);
		}

		public bool Equals(PipeFrame other)
		{
			return Opcode == other.Opcode && Length == other.Length && Data == other.Data;
		}
	}
}
namespace DiscordRPC.Helper
{
	internal class BackoffDelay
	{
		private int _current;

		private int _fails;

		public int Maximum { get; private set; }

		public int Minimum { get; private set; }

		public int Current => _current;

		public int Fails => _fails;

		public Random Random { get; set; }

		private BackoffDelay()
		{
		}

		public BackoffDelay(int min, int max)
			: this(min, max, new Random())
		{
		}

		public BackoffDelay(int min, int max, Random random)
		{
			Minimum = min;
			Maximum = max;
			_current = min;
			_fails = 0;
			Random = random;
		}

		public void Reset()
		{
			_fails = 0;
			_current = Minimum;
		}

		public int NextDelay()
		{
			_fails++;
			double num = (float)(Maximum - Minimum) / 100f;
			_current = (int)Math.Floor(num * (double)_fails) + Minimum;
			return Math.Min(Math.Max(_current, Minimum), Maximum);
		}
	}
	public static class StringTools
	{
		public static string GetNullOrString(this string str)
		{
			return (str.Length == 0 || string.IsNullOrEmpty(str.Trim())) ? null : str;
		}

		public static bool WithinLength(this string str, int bytes)
		{
			return str.WithinLength(bytes, Encoding.UTF8);
		}

		public static bool WithinLength(this string str, int bytes, Encoding encoding)
		{
			return encoding.GetByteCount(str) <= bytes;
		}

		public static string ToCamelCase(this string str)
		{
			return (from s in str?.ToLowerInvariant().Split(new string[2] { "_", " " }, StringSplitOptions.RemoveEmptyEntries)
				select char.ToUpper(s[0]) + s.Substring(1, s.Length - 1)).Aggregate(string.Empty, (string s1, string s2) => s1 + s2);
		}

		public static string ToSnakeCase(this string str)
		{
			if (str == null)
			{
				return null;
			}
			string text = string.Concat(str.Select((char x, int i) => (i > 0 && char.IsUpper(x)) ? ("_" + x) : x.ToString()).ToArray());
			return text.ToUpperInvariant();
		}
	}
}
namespace DiscordRPC.Exceptions
{
	public class BadPresenceException : Exception
	{
		internal BadPresenceException(string message)
			: base(message)
		{
		}
	}
	public class InvalidConfigurationException : Exception
	{
		internal InvalidConfigurationException(string message)
			: base(message)
		{
		}
	}
	[Obsolete("Not actually used anywhere")]
	public class InvalidPipeException : Exception
	{
		internal InvalidPipeException(string message)
			: base(message)
		{
		}
	}
	public class StringOutOfRangeException : Exception
	{
		public int MaximumLength { get; private set; }

		public int MinimumLength { get; private set; }

		internal StringOutOfRangeException(string message, int min, int max)
			: base(message)
		{
			MinimumLength = min;
			MaximumLength = max;
		}

		internal StringOutOfRangeException(int minumum, int max)
			: this($"Length of string is out of range. Expected a value between {minumum} and {max}", minumum, max)
		{
		}

		internal StringOutOfRangeException(int max)
			: this($"Length of string is out of range. Expected a value with a maximum length of {max}", 0, max)
		{
		}
	}
	public class UninitializedException : Exception
	{
		internal UninitializedException(string message)
			: base(message)
		{
		}

		internal UninitializedException()
			: this("Cannot perform action because the client has not been initialized yet or has been deinitialized.")
		{
		}
	}
}
namespace DiscordRPC.Events
{
	public delegate void OnReadyEvent(object sender, ReadyMessage args);
	public delegate void OnCloseEvent(object sender, CloseMessage args);
	public delegate void OnErrorEvent(object sender, ErrorMessage args);
	public delegate void OnPresenceUpdateEvent(object sender, PresenceMessage args);
	public delegate void OnSubscribeEvent(object sender, SubscribeMessage args);
	public delegate void OnUnsubscribeEvent(object sender, UnsubscribeMessage args);
	public delegate void OnJoinEvent(object sender, JoinMessage args);
	public delegate void OnSpectateEvent(object sender, SpectateMessage args);
	public delegate void OnJoinRequestedEvent(object sender, JoinRequestMessage args);
	public delegate void OnConnectionEstablishedEvent(object sender, ConnectionEstablishedMessage args);
	public delegate void OnConnectionFailedEvent(object sender, ConnectionFailedMessage args);
	public delegate void OnRpcMessageEvent(object sender, IMessage msg);
}
namespace DiscordRPC.Converters
{
	internal class EnumSnakeCaseConverter : JsonConverter
	{
		public override bool CanConvert(Type objectType)
		{
			return objectType.IsEnum;
		}

		public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
		{
			if (reader.Value == null)
			{
				return null;
			}
			object obj = null;
			if (TryParseEnum(objectType, (string)reader.Value, out obj))
			{
				return obj;
			}
			return existingValue;
		}

		public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
		{
			Type type = value.GetType();
			string text = Enum.GetName(type, value);
			MemberInfo[] members = type.GetMembers(BindingFlags.Static | BindingFlags.Public);
			MemberInfo[] array = members;
			foreach (MemberInfo memberInfo in array)
			{
				if (memberInfo.Name.Equals(text))
				{
					object[] customAttributes = memberInfo.GetCustomAttributes(typeof(EnumValueAttribute), inherit: true);
					if (customAttributes.Length != 0)
					{
						text = ((EnumValueAttribute)customAttributes[0]).Value;
					}
				}
			}
			writer.WriteValue(text);
		}

		public bool TryParseEnum(Type enumType, string str, out object obj)
		{
			if (str == null)
			{
				obj = null;
				return false;
			}
			Type type = enumType;
			if (type.IsGenericType && type.GetGenericTypeDefinition() == typeof(Nullable<>))
			{
				type = type.GetGenericArguments().First();
			}
			if (!type.IsEnum)
			{
				obj = null;
				return false;
			}
			MemberInfo[] members = type.GetMembers(BindingFlags.Static | BindingFlags.Public);
			MemberInfo[] array = members;
			foreach (MemberInfo memberInfo in array)
			{
				object[] customAttributes = memberInfo.GetCustomAttributes(typeof(EnumValueAttribute), inherit: true);
				object[] array2 = customAttributes;
				foreach (object obj2 in array2)
				{
					EnumValueAttribute enumValueAttribute = (EnumValueAttribute)obj2;
					if (str.Equals(enumValueAttribute.Value))
					{
						obj = Enum.Parse(type, memberInfo.Name, ignoreCase: true);
						return true;
					}
				}
			}
			obj = null;
			return false;
		}
	}
	internal class EnumValueAttribute : Attribute
	{
		public string Value { get; set; }

		public EnumValueAttribute(string value)
		{
			Value = value;
		}
	}
}

plugins/TheArchive.RichPresence.dll

Decompiled a week ago
using System;
using System.Collections.Generic;
using System.Diagnostics;
using System.Linq;
using System.Reflection;
using System.Runtime.CompilerServices;
using System.Runtime.Versioning;
using System.Security;
using System.Security.Cryptography;
using System.Security.Permissions;
using System.Text;
using AIGraph;
using Agents;
using CellMenu;
using Clonesoft.Json;
using DiscordRPC;
using DiscordRPC.Events;
using DiscordRPC.IO;
using DiscordRPC.Logging;
using DiscordRPC.Message;
using GameData;
using Gear;
using Il2CppInterop.Runtime.InteropTypes;
using Il2CppInterop.Runtime.InteropTypes.Arrays;
using Il2CppSystem;
using Il2CppSystem.Collections.Generic;
using LevelGeneration;
using Player;
using SNetwork;
using TheArchive.Core;
using TheArchive.Core.Attributes;
using TheArchive.Core.Attributes.Feature;
using TheArchive.Core.Attributes.Feature.Members;
using TheArchive.Core.Attributes.Feature.Patches;
using TheArchive.Core.Attributes.Feature.Settings;
using TheArchive.Core.FeaturesAPI;
using TheArchive.Core.Localization;
using TheArchive.Core.Managers;
using TheArchive.Core.Models;
using TheArchive.Core.Settings;
using TheArchive.Interfaces;
using TheArchive.Loader;
using TheArchive.Utilities;
using UnityEngine;

[assembly: CompilationRelaxations(8)]
[assembly: RuntimeCompatibility(WrapNonExceptionThrows = true)]
[assembly: Debuggable(DebuggableAttribute.DebuggingModes.IgnoreSymbolStoreSequencePoints)]
[assembly: AssemblyFileVersion("2025.2.0")]
[assembly: AssemblyInformationalVersion("2025.2.0")]
[assembly: TargetFramework(".NETCoreApp,Version=v6.0", FrameworkDisplayName = ".NET 6.0")]
[assembly: AssemblyCompany("TheArchive.RichPresence")]
[assembly: AssemblyConfiguration("Release")]
[assembly: AssemblyProduct("TheArchive.RichPresence")]
[assembly: AssemblyTitle("TheArchive.RichPresence")]
[assembly: SecurityPermission(SecurityAction.RequestMinimum, SkipVerification = true)]
[assembly: AssemblyVersion("2025.2.0.0")]
[module: UnverifiableCode]
internal class ThisAssembly
{
	public class Git
	{
		public class BaseVersion
		{
			public const string Major = "2025";

			public const string Minor = "2";

			public const string Patch = "0";
		}

		public class SemVer
		{
			public const string Major = "2025";

			public const string Minor = "2";

			public const string Patch = "1";

			public const string Label = "";

			public const string DashLabel = "";

			public const string Source = "Tag";
		}

		public const bool IsDirty = false;

		public const string IsDirtyString = "false";

		public const string RepositoryUrl = "https://github.com/AuriRex/GTFO_TheArchive.git";

		public const string Branch = "main";

		public const string Commit = "6d23fe4";

		public const string Sha = "6d23fe4e8bc046d994648b8c7855588348eff63c";

		public const string CommitDate = "2025-08-23T17:58:53+02:00";

		public const string Commits = "1";

		public const string Tag = "v2025.2.0-1-g6d23fe4";

		public const string BaseTag = "v2025.2.0";
	}
}
internal class ManifestInfo
{
	internal const string TSName = "TheArchive_RichPresence";

	internal const string TSDescription = "Custom Discord Rich Presence Add-on for TheArchive.";

	internal const string TSVersion = "2025.2.0";

	internal const string TSAuthor = "AuriRex";

	internal const string TSWebsite = "https://github.com/AuriRex/GTFO_TheArchive";
}
namespace TheArchive
{
	[ArchiveModule("dev.AuriRex.gtfo.TheArchive.RichPresence", "TheArchive_RichPresence", "2025.2.0")]
	public class ArchiveRichPresenceModule : IArchiveModule
	{
		public const string GUID = "dev.AuriRex.gtfo.TheArchive.RichPresence";

		public const string MOD_NAME = "TheArchive_RichPresence";

		public const string VERSION = "2025.2.0";

		public ILocalizationService LocalizationService { get; set; }

		public IArchiveLogger Logger { get; set; }

		public void Init()
		{
			//IL_003b: Unknown result type (might be due to invalid IL or missing references)
			//IL_0040: Unknown result type (might be due to invalid IL or missing references)
			//IL_004b: Unknown result type (might be due to invalid IL or missing references)
			//IL_006a: Expected O, but got Unknown
			ArchiveMod.GameDataInitialized += OnGameDataInitialized;
			try
			{
				string @string = Encoding.UTF8.GetString(Utils.GetResource(Assembly.GetExecutingAssembly(), "TheArchive.DiscordGameSDK.LICENSE_DiscordRPC"));
				AttributionInfo val = new AttributionInfo("DiscordRPC License", @string, "", "");
				val.set_Comment("<#fff18e>Huge shoutouts to <#88e2e9>Lachee</color> for her re-implementation of the discord_game_sdks functions in C#!</color>");
				val.set_Origin("TheArchive_RichPresence".Replace("_", "."));
				Attribution.Add(val);
			}
			catch (Exception ex)
			{
				Logger.Error("Something went wrong while trying to add Attribution.");
				Logger.Exception(ex);
			}
		}

		private void OnGameDataInitialized(RundownID _)
		{
			try
			{
				PresenceFormatter.RegisterAllPresenceFormatProviders(typeof(PresenceManager), false);
				PresenceFormatter.Setup();
			}
			catch (Exception ex)
			{
				Logger.Exception(ex);
			}
		}
	}
}
namespace TheArchive.Features.Presence
{
	[EnableFeatureByDefault]
	public class CustomLobbyCodeString : Feature
	{
		public class CustomLobbyCodeStringConfig
		{
			[FSMaxLength(120)]
			[FSDisplayName("Format")]
			public string Format { get; set; } = "LF%OpenSlots% %Rundown%%Expedition% \"%ExpeditionName%\": `%LobbyID%`";

		}

		[ArchivePatch(/*Could not decode attribute arguments.*/)]
		internal static class CM_PageSettings_SetupPatch
		{
			public static void Postfix(CM_PageSettings __instance)
			{
				SetupViaInstance(__instance);
			}
		}

		[ArchivePatch(/*Could not decode attribute arguments.*/)]
		internal static class CM_PageLoadout_SetupPatch
		{
			public static void Postfix(CM_PageLoadout __instance)
			{
				SetupViaInstance(__instance);
			}
		}

		public const string DefaultFormat = "LF%OpenSlots% %Rundown%%Expedition% \"%ExpeditionName%\": `%LobbyID%`";

		private static CM_Item _CM_PageLoadout_coppyLobbyIDButton;

		private static CM_Item _CM_PageSettings_coppyLobbyIDButton;

		public override string Name => "Copy Lobby ID Format";

		public override FeatureGroup Group => FeatureGroups.Presence;

		public override string Description => "Customize copied lobby code from the 'Copy Lobby ID'-Button on the loadout and settings screens with a custom format.";

		public static IArchiveLogger FeatureLogger { get; set; }

		[FeatureConfig]
		public static CustomLobbyCodeStringConfig Config { get; set; }

		[SetEnabledStatus]
		public static bool IsEnabled { get; set; }

		public override void OnEnable()
		{
			if ((Object)(object)_CM_PageLoadout_coppyLobbyIDButton == (Object)null)
			{
				SetupViaInstance(CM_PageLoadout.Current);
			}
		}

		public static void CopyLobbyIdToClipboard(int _)
		{
			//IL_002e: Unknown result type (might be due to invalid IL or missing references)
			//IL_0033: Unknown result type (might be due to invalid IL or missing references)
			//IL_0036: Unknown result type (might be due to invalid IL or missing references)
			//IL_003d: Unknown result type (might be due to invalid IL or missing references)
			if (!IsEnabled)
			{
				string text2 = (GUIUtility.systemCopyBuffer = PresenceFormatter.FormatPresenceString("%LobbyID%"));
				FeatureLogger.Notice("Copied lobby id to clipboard: " + text2);
				return;
			}
			GameBuildInfo buildInfo = Feature.BuildInfo;
			if ((!RundownFlagsExtensions.IsIncludedIn(((GameBuildInfo)(ref buildInfo)).Rundown, RundownFlagsExtensions.ToLatest((RundownFlags)16)) || !IsExternalMatchMakingActive()) && SNet.IsInLobby)
			{
				if (string.IsNullOrWhiteSpace(Config.Format))
				{
					Config.Format = "LF%OpenSlots% %Rundown%%Expedition% \"%ExpeditionName%\": `%LobbyID%`";
				}
				string text4 = (GUIUtility.systemCopyBuffer = PresenceFormatter.FormatPresenceString(Config.Format));
				FeatureLogger.Notice("Copied lobby id to clipboard: " + text4);
			}
		}

		[MethodImpl(MethodImplOptions.NoInlining)]
		private static bool IsExternalMatchMakingActive()
		{
			return SNet.IsExternalMatchMakingActive;
		}

		public static void SetupViaInstance(CM_PageSettings pageSettings)
		{
			if (!((Object)(object)pageSettings == (Object)null))
			{
				_CM_PageSettings_coppyLobbyIDButton = pageSettings.m_copyLobbyIdButton;
				if ((Object)(object)_CM_PageSettings_coppyLobbyIDButton != (Object)null)
				{
					FeatureLogger.Info("Hooking CM_PageSettings Copy Lobby ID Button ...");
					SharedUtils.SetCMItemEvents(SharedUtils.RemoveCMItemEvents(_CM_PageSettings_coppyLobbyIDButton, true), (Action<int>)CopyLobbyIdToClipboard, (Action<int, bool>)null);
				}
				else
				{
					FeatureLogger.Warning("[CustomLobbyCodeString] copy lobby id button in CM_PageSettings wasn't found!!!");
				}
			}
		}

		public static void SetupViaInstance(CM_PageLoadout pageLoadout)
		{
			if (!((Object)(object)pageLoadout == (Object)null))
			{
				_CM_PageLoadout_coppyLobbyIDButton = pageLoadout.m_copyLobbyIdButton;
				if ((Object)(object)_CM_PageLoadout_coppyLobbyIDButton != (Object)null)
				{
					FeatureLogger.Info("Hooking CM_PageLoadout Copy Lobby ID Button ...");
					SharedUtils.SetCMItemEvents(SharedUtils.RemoveCMItemEvents(_CM_PageLoadout_coppyLobbyIDButton, true), (Action<int>)CopyLobbyIdToClipboard, (Action<int, bool>)null);
				}
				else
				{
					FeatureLogger.Warning("[CustomLobbyCodeString] copy lobby id button in CM_PageLoadout wasn't found!!!");
				}
			}
		}
	}
	[RundownConstraint(/*Could not decode attribute arguments.*/)]
	public class DisableBasePresence : Feature
	{
		private bool _firstTime = true;

		public override string Name => "Disable Built-in Rich Presence";

		public override FeatureGroup Group => FeatureGroups.Presence;

		public override string Description => "Disables the Discord Rich Presence added to the game in Rundown 8.";

		public override void OnEnable()
		{
			if (Feature.DataBlocksReady)
			{
				DisableBaseDiscord();
			}
		}

		public void OnGameStateChanged(eGameStateName state)
		{
			//IL_0000: Unknown result type (might be due to invalid IL or missing references)
			//IL_0002: Invalid comparison between Unknown and I4
			if ((int)state == 4 && _firstTime)
			{
				DisableBaseDiscord();
				_firstTime = false;
			}
		}

		public override void OnDisable()
		{
			if (!Feature.IsApplicationQuitting && Feature.DataBlocksReady)
			{
				EnableBaseDiscord();
			}
		}

		public static void DisableBaseDiscord()
		{
			DiscordManager.Current.ToggleDiscord(false);
		}

		public static void EnableBaseDiscord()
		{
			DiscordManager.Current.ToggleDiscord(true);
		}
	}
	[EnableFeatureByDefault]
	public class DiscordRichPresence : Feature
	{
		public override string Name => "Archive Discord Rich Presence";

		public override FeatureGroup Group => FeatureGroups.Presence;

		public override string Description => "Show the current game state in detail on discord.";

		public static IArchiveLogger FeatureLogger { get; set; }

		public override bool InlineSettingsIntoParentMenu => true;

		public override bool SkipInitialOnEnable => true;

		public override Type[] LocalizationExternalTypes => new Type[1] { typeof(RichPresenceSettings) };

		[FeatureConfig]
		public static RichPresenceSettings DiscordRPCSettings { get; set; }

		public override void Init()
		{
			DiscordRPCSettings = DiscordRPCSettings?.FillDefaultDictValues();
			PresenceManager.UpdateGameState((PresenceGameState)0);
		}

		public override void OnEnable()
		{
			if (!Feature.DataBlocksReady || ArchiveDiscordManager.IsEnabled)
			{
				return;
			}
			try
			{
				ArchiveDiscordManager.RenewPartyGuid();
				ArchiveDiscordManager.OnActivityJoin += DiscordManager_OnActivityJoin;
				ArchiveDiscordManager.Enable(DiscordRPCSettings);
			}
			catch (Exception ex)
			{
				FeatureLogger.Exception(ex);
			}
		}

		public void OnGameStateChanged(eGameStateName state)
		{
			//IL_0000: Unknown result type (might be due to invalid IL or missing references)
			//IL_0002: Invalid comparison between Unknown and I4
			if ((int)state == 4)
			{
				FeatureLogger.Debug("Creating a new Party GUID.");
				ArchiveDiscordManager.RenewPartyGuid();
			}
		}

		public override void OnDatablocksReady()
		{
			((Feature)this).OnEnable();
		}

		private static void DiscordManager_OnActivityJoin(string secret)
		{
			if (ulong.TryParse(secret, out var result) && result != 0L)
			{
				CM_Utils.JoinLobby(result, Action.op_Implicit((Action)delegate
				{
					FeatureLogger.Success("Successfully joined lobby \"" + secret + "\"!");
				}), Action.op_Implicit((Action)delegate
				{
					FeatureLogger.Fail("Failed to join lobby \"" + secret + "\".");
				}));
			}
		}

		public override void OnDisable()
		{
			if (!ArchiveDiscordManager.IsEnabled)
			{
				return;
			}
			try
			{
				ArchiveDiscordManager.OnActivityJoin -= DiscordManager_OnActivityJoin;
				ArchiveDiscordManager.Disable();
			}
			catch (Exception ex)
			{
				FeatureLogger.Exception(ex);
			}
		}

		public override void Update()
		{
			ArchiveDiscordManager.Update();
		}
	}
	[EnableFeatureByDefault]
	[HideInModSettings]
	public class ReactorDiscordRPC : Feature
	{
		public enum ReactorTypes
		{
			Error,
			Startup,
			Shutdown
		}

		[ArchivePatch(/*Could not decode attribute arguments.*/)]
		internal static class LG_WardenObjective_Reactor_Start_Patch
		{
			public static void Postfix(LG_WardenObjective_Reactor __instance)
			{
				ReactorsInLevel.Add(__instance);
				FeatureLogger.Debug("Added Reactor to Set: " + GetReactorItemKey(__instance));
			}
		}

		[ArchivePatch(/*Could not decode attribute arguments.*/)]
		internal static class LG_WardenObjective_Reactor_OnDestroy_Patch
		{
			public static void Postfix(LG_WardenObjective_Reactor __instance)
			{
				LG_WardenObjective_Reactor val = ((IEnumerable<LG_WardenObjective_Reactor>)ReactorsInLevel).FirstOrDefault((Func<LG_WardenObjective_Reactor, bool>)((LG_WardenObjective_Reactor reactor) => GetReactorItemKey(reactor) == GetReactorItemKey(__instance)));
				ReactorsInLevel.Remove(val);
				FeatureLogger.Debug("Removed Reactor from Set: " + GetReactorItemKey(val));
			}
		}

		private static IValueAccessor<LG_WardenObjective_Reactor, float> A_m_currentWaveProgress;

		private static IValueAccessor<LG_WardenObjective_Reactor, float> A_m_currentDuration;

		private static IValueAccessor<LG_WardenObjective_Reactor, int> A_m_currentWaveCount;

		private static IValueAccessor<LG_WardenObjective_Reactor, int> A_m_waveCountMax;

		private static IValueAccessor<LG_WardenObjective_Reactor, string> A_m_itemKey;

		private static IValueAccessor<LG_WardenObjective_Reactor, ReactorWaveData> A_m_currentWaveData;

		private static IValueAccessor<LG_WardenObjective_Reactor, pReactorState> A_m_currentState;

		private static readonly HashSet<eReactorStatus> _idleReactorStatuses = new HashSet<eReactorStatus>
		{
			Utils.GetEnumFromName<eReactorStatus>("Inactive_Idle"),
			Utils.GetEnumFromName<eReactorStatus>("Active_Idle")
		};

		private static int _lastFrameCount = 0;

		private static LG_WardenObjective_Reactor _lastReturnedActiveReactor;

		public override string Name => "ReactorDiscordRPC";

		public override FeatureGroup Group => FeatureGroups.Presence;

		public static IArchiveLogger FeatureLogger { get; set; }

		[PresenceFormatProvider("ReactorWaveCountMax")]
		public static int ReactorWaveCountMax => GetWaveCountMax(GetActiveReactor());

		[PresenceFormatProvider("ReactorWaveCountCurrent")]
		public static int ReactorWaveCountCurrent => GetCurrentWaveCount(GetActiveReactor());

		[PresenceFormatProvider("ReactorWaveSecondsRemaining")]
		public static float ReactorWaveSecondsRemaining => GetWaveSecondsRemaining(GetActiveReactor());

		[PresenceFormatProvider("ReactorType")]
		public static string ReactorType => GetReactorType(GetActiveReactor()).ToString();

		[PresenceFormatProvider("ReactorWaveEndTime")]
		public static long ReactorWaveEndTime => DateTimeOffset.UtcNow.ToUnixTimeSeconds() + (long)GetWaveSecondsRemaining(GetActiveReactor());

		[PresenceFormatProvider("IsReactorActive")]
		public static bool IsReactorActive
		{
			get
			{
				LG_WardenObjective_Reactor activeReactor;
				return TryGetActiveReactor(out activeReactor);
			}
		}

		[PresenceFormatProvider("IsReactorInIntro")]
		public static bool IsReactorInIntro => IsReactorInStatus(GetActiveReactor(), (eReactorStatus)2, (eReactorStatus)6);

		[PresenceFormatProvider("IsReactorWaveOrChaosActive")]
		public static bool IsReactorWaveOrChaosActive => IsReactorInStatus(GetActiveReactor(), (eReactorStatus)3, (eReactorStatus)8);

		[PresenceFormatProvider("IsReactorAwaitingVerify")]
		public static bool IsReactorAwaitingVerify => IsReactorInStatus(GetActiveReactor(), (eReactorStatus)4, (eReactorStatus)7);

		[PresenceFormatProvider("IsReactorCompleted")]
		public static bool IsReactorCompleted => IsReactorInStatus(GetActiveReactor(), (eReactorStatus)5, (eReactorStatus)9);

		[PresenceFormatProvider("IsReactorTypeStartup")]
		public static bool IsReactorTypeStartup => GetReactorType(GetActiveReactor()) == ReactorTypes.Startup;

		[PresenceFormatProvider("IsReactorInVerifyFailState")]
		public static bool IsReactorInVerifyFailState
		{
			get
			{
				//IL_0010: Unknown result type (might be due to invalid IL or missing references)
				if (!TryGetReactorState(GetActiveReactor(), out var state))
				{
					return false;
				}
				return state.verifyFailed;
			}
		}

		[PresenceFormatProvider("ReactorVerificationString")]
		public static string ReactorVerificationString
		{
			get
			{
				bool isTerminal;
				string nextCodeOrTerminalSerial = GetNextCodeOrTerminalSerial(GetActiveReactor(), out isTerminal);
				if (isTerminal)
				{
					return "LOG in " + nextCodeOrTerminalSerial;
				}
				return "Free Code: " + nextCodeOrTerminalSerial.ToUpper();
			}
		}

		public static HashSet<LG_WardenObjective_Reactor> ReactorsInLevel { get; } = new HashSet<LG_WardenObjective_Reactor>();


		public override void Init()
		{
			//IL_0000: Unknown result type (might be due to invalid IL or missing references)
			//IL_0005: Unknown result type (might be due to invalid IL or missing references)
			//IL_0008: Unknown result type (might be due to invalid IL or missing references)
			GameBuildInfo buildInfo = Feature.BuildInfo;
			if (RundownFlagsExtensions.IsIncludedIn(((GameBuildInfo)(ref buildInfo)).Rundown, (RundownFlags)1))
			{
				A_m_currentWaveProgress = AccessorBase.GetValueAccessor<LG_WardenObjective_Reactor, float>("m_currentStateProgress", false);
				A_m_currentDuration = AccessorBase.GetValueAccessor<LG_WardenObjective_Reactor, float>("m_currentStateDuration", false);
				A_m_currentWaveCount = AccessorBase.GetValueAccessor<LG_WardenObjective_Reactor, int>("m_currentStateCount", false);
				A_m_waveCountMax = AccessorBase.GetValueAccessor<LG_WardenObjective_Reactor, int>("m_stateCountMax", false);
			}
			else
			{
				A_m_currentWaveProgress = AccessorBase.GetValueAccessor<LG_WardenObjective_Reactor, float>("m_currentWaveProgress", false);
				A_m_currentDuration = AccessorBase.GetValueAccessor<LG_WardenObjective_Reactor, float>("m_currentDuration", false);
				A_m_currentWaveCount = AccessorBase.GetValueAccessor<LG_WardenObjective_Reactor, int>("m_currentWaveCount", false);
				A_m_waveCountMax = AccessorBase.GetValueAccessor<LG_WardenObjective_Reactor, int>("m_waveCountMax", false);
			}
			A_m_itemKey = AccessorBase.GetValueAccessor<LG_WardenObjective_Reactor, string>("m_itemKey", false);
			A_m_currentWaveData = AccessorBase.GetValueAccessor<LG_WardenObjective_Reactor, ReactorWaveData>("m_currentWaveData", false);
			A_m_currentState = AccessorBase.GetValueAccessor<LG_WardenObjective_Reactor, pReactorState>("m_currentState", false);
			PresenceFormatter.RegisterAllPresenceFormatProviders(typeof(ReactorDiscordRPC), true);
		}

		public static string GetNextCodeOrTerminalSerial(LG_WardenObjective_Reactor reactor, out bool isTerminal)
		{
			//IL_0012: Unknown result type (might be due to invalid IL or missing references)
			//IL_0017: Unknown result type (might be due to invalid IL or missing references)
			//IL_001a: Unknown result type (might be due to invalid IL or missing references)
			//IL_0020: Unknown result type (might be due to invalid IL or missing references)
			isTerminal = false;
			if ((Object)(object)reactor == (Object)null)
			{
				return "Error";
			}
			GameBuildInfo buildInfo = Feature.BuildInfo;
			if (RundownFlagsExtensions.IsIncludedIn(((GameBuildInfo)(ref buildInfo)).Rundown, RundownFlagsExtensions.ToLatest((RundownFlags)2)))
			{
				return GetNextCodeOrTerminalR2(reactor, out isTerminal);
			}
			return reactor.CurrentStateOverrideCode;
		}

		public static string GetNextCodeOrTerminalR2(LG_WardenObjective_Reactor reactor, out bool isTerminal)
		{
			isTerminal = false;
			if ((Object)(object)reactor == (Object)null)
			{
				return "Error";
			}
			ReactorWaveData val = A_m_currentWaveData.Get(reactor);
			if (val.HasVerificationTerminal)
			{
				isTerminal = true;
				return val.VerificationTerminalSerial;
			}
			return reactor.CurrentStateOverrideCode;
		}

		public static bool IsReactorInStatus(LG_WardenObjective_Reactor reactor, params eReactorStatus[] statuses)
		{
			//IL_0015: Unknown result type (might be due to invalid IL or missing references)
			//IL_0016: Invalid comparison between I4 and Unknown
			if (!TryGetReactorStatus(reactor, out var status))
			{
				return false;
			}
			for (int i = 0; i < statuses.Length; i++)
			{
				if ((int)statuses[i] == (int)status)
				{
					return true;
				}
			}
			return false;
		}

		public static bool TryGetReactorStatus(LG_WardenObjective_Reactor reactor, out eReactorStatus status)
		{
			//IL_0019: Unknown result type (might be due to invalid IL or missing references)
			//IL_001a: Unknown result type (might be due to invalid IL or missing references)
			//IL_0020: Expected I4, but got Unknown
			if ((Object)(object)reactor == (Object)null || !TryGetReactorState(reactor, out var state))
			{
				status = (eReactorStatus)0;
				return false;
			}
			status = (eReactorStatus)(int)state.status;
			return true;
		}

		public static int GetCurrentWaveCount(LG_WardenObjective_Reactor reactor)
		{
			if ((Object)(object)reactor == (Object)null)
			{
				return -1;
			}
			return A_m_currentWaveCount.Get(reactor);
		}

		public static int GetWaveCountMax(LG_WardenObjective_Reactor reactor)
		{
			if ((Object)(object)reactor == (Object)null)
			{
				return -1;
			}
			return A_m_waveCountMax.Get(reactor);
		}

		public static float GetWaveSecondsRemaining(LG_WardenObjective_Reactor reactor)
		{
			if ((Object)(object)reactor == (Object)null)
			{
				return -1f;
			}
			return (1f - A_m_currentWaveProgress.Get(reactor)) * A_m_currentDuration.Get(reactor);
		}

		public static ReactorTypes GetReactorType(LG_WardenObjective_Reactor reactor)
		{
			if (TryGetReactorState(reactor, out var state))
			{
				if (((object)(eReactorStatus)(ref state.status)).ToString().StartsWith("Start"))
				{
					return ReactorTypes.Startup;
				}
				if (((object)(eReactorStatus)(ref state.status)).ToString().StartsWith("Shut"))
				{
					return ReactorTypes.Shutdown;
				}
			}
			return ReactorTypes.Error;
		}

		public static bool TryGetReactorState(LG_WardenObjective_Reactor reactor, out pReactorState state)
		{
			//IL_0019: Unknown result type (might be due to invalid IL or missing references)
			//IL_001e: Unknown result type (might be due to invalid IL or missing references)
			//IL_000a: Unknown result type (might be due to invalid IL or missing references)
			if ((Object)(object)reactor == (Object)null)
			{
				state = default(pReactorState);
				return false;
			}
			state = A_m_currentState.Get(reactor);
			return true;
		}

		public static LG_WardenObjective_Reactor GetActiveReactor()
		{
			int frameCount = Time.frameCount;
			if (_lastFrameCount == frameCount)
			{
				return _lastReturnedActiveReactor;
			}
			pReactorState state;
			LG_WardenObjective_Reactor? obj = ((IEnumerable<LG_WardenObjective_Reactor>)ReactorsInLevel).FirstOrDefault((Func<LG_WardenObjective_Reactor, bool>)((LG_WardenObjective_Reactor reactor) => TryGetReactorState(reactor, out state) && !_idleReactorStatuses.Contains(state.status)));
			_lastFrameCount = frameCount;
			_lastReturnedActiveReactor = obj;
			return obj;
		}

		public static bool TryGetActiveReactor(out LG_WardenObjective_Reactor activeReactor)
		{
			activeReactor = GetActiveReactor();
			return (Object)(object)activeReactor != (Object)null;
		}

		public static string GetReactorItemKey(LG_WardenObjective_Reactor reactor)
		{
			return A_m_itemKey.Get(reactor);
		}
	}
	[EnableFeatureByDefault]
	[HideInModSettings]
	public class RichPresenceCore : Feature
	{
		[ArchivePatch(/*Could not decode attribute arguments.*/)]
		internal static class RundownManager__GetUniqueExpeditionKey__Patch
		{
			public static void Postfix(string rundownKey, eRundownTier tier, int expIndex)
			{
				ExpeditionNumber = expIndex + 1;
			}
		}

		public override string Name => "Rich Presence Core";

		public override FeatureGroup Group => FeatureGroups.Presence;

		public override string Description => "Updates the Presence Game State and provides some values via patches.";

		[PresenceFormatProvider("EquippedMeleeWeaponName")]
		public static string EquippedMeleeWeaponName => ItemNameForSlot((InventorySlot)10);

		[PresenceFormatProvider("EquippedMeleeWeaponID")]
		public static string EquippedMeleeWeaponID => ItemIDForSlot((InventorySlot)10);

		[PresenceFormatProvider("EquippedToolName")]
		public static string EquippedToolName => ItemNameForSlot((InventorySlot)3);

		[PresenceFormatProvider("EquippedToolID")]
		public static string EquippedToolID => ItemIDForSlot((InventorySlot)3);

		private static PlayerAmmoStorage LocalAmmo
		{
			get
			{
				PlayerBackpack localBackpack = PlayerBackpackManager.LocalBackpack;
				if (localBackpack == null)
				{
					return null;
				}
				return localBackpack.AmmoStorage;
			}
		}

		[PresenceFormatProvider("HealthRaw")]
		public static float HealthRaw
		{
			get
			{
				PlayerAgent localPlayerAgent = PlayerManager.GetLocalPlayerAgent();
				float? obj;
				if (localPlayerAgent == null)
				{
					obj = null;
				}
				else
				{
					Dam_PlayerDamageBase damage = localPlayerAgent.Damage;
					obj = ((damage != null) ? new float?(((Dam_SyncedDamageBase)damage).Health) : null);
				}
				float? num = obj;
				return num.GetValueOrDefault(-1f);
			}
		}

		[PresenceFormatProvider("MaxHealthRaw")]
		public static float MaxHealthRaw
		{
			get
			{
				PlayerAgent localPlayerAgent = PlayerManager.GetLocalPlayerAgent();
				float? obj;
				if (localPlayerAgent == null)
				{
					obj = null;
				}
				else
				{
					Dam_PlayerDamageBase damage = localPlayerAgent.Damage;
					obj = ((damage != null) ? new float?(((Dam_SyncedDamageBase)damage).HealthMax) : null);
				}
				float? num = obj;
				return num.GetValueOrDefault(-1f);
			}
		}

		[PresenceFormatProvider("ToolAmmo")]
		public static int ToolAmmo
		{
			get
			{
				PlayerAmmoStorage localAmmo = LocalAmmo;
				int? obj;
				if (localAmmo == null)
				{
					obj = null;
				}
				else
				{
					InventorySlotAmmo classAmmo = localAmmo.ClassAmmo;
					obj = ((classAmmo != null) ? new int?(classAmmo.BulletsInPack) : null);
				}
				int? num = obj;
				return num.GetValueOrDefault(-1);
			}
		}

		[PresenceFormatProvider("MaxToolAmmo")]
		public static int MaxToolAmmo
		{
			get
			{
				PlayerAmmoStorage localAmmo = LocalAmmo;
				int? obj;
				if (localAmmo == null)
				{
					obj = null;
				}
				else
				{
					InventorySlotAmmo classAmmo = localAmmo.ClassAmmo;
					obj = ((classAmmo != null) ? new int?(classAmmo.BulletsMaxCap) : null);
				}
				int? num = obj;
				return num.GetValueOrDefault(-1);
			}
		}

		[PresenceFormatProvider("PrimaryAmmo")]
		public static int PrimaryAmmo
		{
			get
			{
				PlayerAmmoStorage localAmmo = LocalAmmo;
				int? obj;
				if (localAmmo == null)
				{
					obj = null;
				}
				else
				{
					InventorySlotAmmo standardAmmo = localAmmo.StandardAmmo;
					obj = ((standardAmmo != null) ? new int?(standardAmmo.BulletsInPack) : null);
				}
				int? num = obj;
				return num.GetValueOrDefault(-1) + GetClip((InventorySlot)1);
			}
		}

		[PresenceFormatProvider("MaxPrimaryAmmo")]
		public static int MaxPrimaryAmmo
		{
			get
			{
				PlayerAmmoStorage localAmmo = LocalAmmo;
				int? obj;
				if (localAmmo == null)
				{
					obj = null;
				}
				else
				{
					InventorySlotAmmo standardAmmo = localAmmo.StandardAmmo;
					obj = ((standardAmmo != null) ? new int?(standardAmmo.BulletsMaxCap) : null);
				}
				int? num = obj;
				return num.GetValueOrDefault(-1);
			}
		}

		[PresenceFormatProvider("SpecialAmmo")]
		public static int SpecialAmmo
		{
			get
			{
				PlayerAmmoStorage localAmmo = LocalAmmo;
				int? obj;
				if (localAmmo == null)
				{
					obj = null;
				}
				else
				{
					InventorySlotAmmo specialAmmo = localAmmo.SpecialAmmo;
					obj = ((specialAmmo != null) ? new int?(specialAmmo.BulletsInPack) : null);
				}
				int? num = obj;
				return num.GetValueOrDefault(-1) + GetClip((InventorySlot)2);
			}
		}

		[PresenceFormatProvider("MaxSpecialAmmo")]
		public static int MaxSpecialAmmo
		{
			get
			{
				PlayerAmmoStorage localAmmo = LocalAmmo;
				int? obj;
				if (localAmmo == null)
				{
					obj = null;
				}
				else
				{
					InventorySlotAmmo specialAmmo = localAmmo.SpecialAmmo;
					obj = ((specialAmmo != null) ? new int?(specialAmmo.BulletsMaxCap) : null);
				}
				int? num = obj;
				return num.GetValueOrDefault(-1);
			}
		}

		[PresenceFormatProvider("HasLobby")]
		public static bool HasLobby
		{
			get
			{
				SNet_Lobby lobby = SNet.Lobby;
				if (lobby == null)
				{
					return false;
				}
				SNet_LobbyIdentifier identifier = lobby.Identifier;
				if (identifier == null)
				{
					return false;
				}
				_ = identifier.ID;
				return true;
			}
		}

		[PresenceFormatProvider("LobbyID")]
		public static string LobbyID
		{
			get
			{
				SNet_Lobby lobby = SNet.Lobby;
				object obj;
				if (lobby == null)
				{
					obj = null;
				}
				else
				{
					SNet_LobbyIdentifier identifier = lobby.Identifier;
					obj = ((identifier != null) ? identifier.ID.ToString() : null);
				}
				if (obj == null)
				{
					obj = "0123456789";
				}
				return (string)obj;
			}
		}

		[PresenceFormatProvider("LocalCharacterID")]
		public static int LocalCharacterID
		{
			get
			{
				try
				{
					PlayerAgent localPlayerAgent = PlayerManager.GetLocalPlayerAgent();
					return (localPlayerAgent != null) ? localPlayerAgent.CharacterID : 0;
				}
				catch (Exception)
				{
					return 0;
				}
			}
		}

		[PresenceFormatProvider("OpenSlots")]
		public static int OpenSlots => MaxPlayerSlots - GetPlayerCount();

		[PresenceFormatProvider("MaxPlayerSlots")]
		public static int MaxPlayerSlots => GetMaxPlayers();

		[PresenceFormatProvider("ExpeditionTier")]
		public static string ExpeditionTier
		{
			get
			{
				//IL_0027: Unknown result type (might be due to invalid IL or missing references)
				//IL_002c: Unknown result type (might be due to invalid IL or missing references)
				//IL_002f: Unknown result type (might be due to invalid IL or missing references)
				ExpeditionInTierData activeExpedition = RundownManager.ActiveExpedition;
				object obj;
				if (activeExpedition == null)
				{
					obj = null;
				}
				else
				{
					DescriptiveData descriptive = activeExpedition.Descriptive;
					obj = ((descriptive != null) ? descriptive.Prefix : null);
				}
				if (obj == null)
				{
					obj = "?";
				}
				string text = (string)obj;
				GameBuildInfo buildInfo = Feature.BuildInfo;
				if (RundownFlagsExtensions.IsIncludedIn(((GameBuildInfo)(ref buildInfo)).Rundown, (RundownFlags)6) && text.Length > 2)
				{
					return text.Substring(2);
				}
				return text;
			}
		}

		[PresenceFormatProvider("ExpeditionTierIsSpecial")]
		public static bool ExpeditionTierIsSpecial
		{
			get
			{
				if (Is.R6OrLater)
				{
					return IsActiveExpeditionSpecial();
				}
				return false;
			}
		}

		[PresenceFormatProvider("ExpeditionSkipExpNumberInName")]
		public static bool ExpeditionSkipExpNumberInName
		{
			get
			{
				try
				{
					if (Is.R6OrLater)
					{
						return ShouldSkipExpNumberInName();
					}
				}
				catch
				{
				}
				return false;
			}
		}

		[PresenceFormatProvider("ExpeditionNumber")]
		public static int ExpeditionNumber { get; set; }

		[PresenceFormatProvider("ExpeditionName")]
		public static string ExpeditionName
		{
			get
			{
				ExpeditionInTierData activeExpedition = RundownManager.ActiveExpedition;
				object obj;
				if (activeExpedition == null)
				{
					obj = null;
				}
				else
				{
					DescriptiveData descriptive = activeExpedition.Descriptive;
					obj = ((descriptive != null) ? descriptive.PublicName : null);
				}
				if (obj == null)
				{
					obj = "???";
				}
				return (string)obj;
			}
		}

		[PresenceFormatProvider("ZonePrefix")]
		public static string ZonePrefix
		{
			get
			{
				PlayerAgent localPlayerAgent = PlayerManager.GetLocalPlayerAgent();
				object obj;
				if (localPlayerAgent == null)
				{
					obj = null;
				}
				else
				{
					AIG_CourseNode courseNode = ((Agent)localPlayerAgent).CourseNode;
					if (courseNode == null)
					{
						obj = null;
					}
					else
					{
						LG_Zone zone = courseNode.m_zone;
						if (zone == null)
						{
							obj = null;
						}
						else
						{
							LG_NavInfo navInfo = zone.NavInfo;
							obj = ((navInfo != null) ? navInfo.PrefixShort : null);
						}
					}
				}
				if (obj == null)
				{
					obj = "?";
				}
				return (string)obj;
			}
		}

		[PresenceFormatProvider("ZonePrefixLong")]
		public static string ZonePrefixLong
		{
			get
			{
				PlayerAgent localPlayerAgent = PlayerManager.GetLocalPlayerAgent();
				object obj;
				if (localPlayerAgent == null)
				{
					obj = null;
				}
				else
				{
					AIG_CourseNode courseNode = ((Agent)localPlayerAgent).CourseNode;
					if (courseNode == null)
					{
						obj = null;
					}
					else
					{
						LG_Zone zone = courseNode.m_zone;
						if (zone == null)
						{
							obj = null;
						}
						else
						{
							LG_NavInfo navInfo = zone.NavInfo;
							obj = ((navInfo != null) ? navInfo.PrefixLong : null);
						}
					}
				}
				if (obj == null)
				{
					obj = "?";
				}
				return (string)obj;
			}
		}

		[PresenceFormatProvider("ZoneAlias")]
		public static string ZoneAlias
		{
			get
			{
				PlayerAgent localPlayerAgent = PlayerManager.GetLocalPlayerAgent();
				object obj;
				if (localPlayerAgent == null)
				{
					obj = null;
				}
				else
				{
					AIG_CourseNode courseNode = ((Agent)localPlayerAgent).CourseNode;
					if (courseNode == null)
					{
						obj = null;
					}
					else
					{
						LG_Zone zone = courseNode.m_zone;
						if (zone == null)
						{
							obj = null;
						}
						else
						{
							LG_NavInfo navInfo = zone.NavInfo;
							obj = ((navInfo != null) ? navInfo.Number.ToString() : null);
						}
					}
				}
				if (obj == null)
				{
					obj = "?";
				}
				return (string)obj;
			}
		}

		[PresenceFormatProvider("AreaSuffix")]
		public static string AreaSuffix
		{
			get
			{
				PlayerAgent localPlayerAgent = PlayerManager.GetLocalPlayerAgent();
				object obj;
				if (localPlayerAgent == null)
				{
					obj = null;
				}
				else
				{
					AIG_CourseNode courseNode = ((Agent)localPlayerAgent).CourseNode;
					if (courseNode == null)
					{
						obj = null;
					}
					else
					{
						LG_Area area = courseNode.m_area;
						if (area == null)
						{
							obj = null;
						}
						else
						{
							LG_NavInfo navInfo = area.m_navInfo;
							obj = ((navInfo != null) ? navInfo.Suffix : null);
						}
					}
				}
				if (obj == null)
				{
					obj = "?";
				}
				return (string)obj;
			}
		}

		[PresenceFormatProvider("RundownTitleFromDataBlocks")]
		public static string RundownTitleFromDataBlocks => SharedUtils.GetDataBlockRundownTitle();

		public override void Init()
		{
			PresenceFormatter.RegisterAllPresenceFormatProviders(typeof(RichPresenceCore), true);
		}

		public void OnGameStateChanged(eGameStateName nextState)
		{
			//IL_0000: Unknown result type (might be due to invalid IL or missing references)
			//IL_0002: Unknown result type (might be due to invalid IL or missing references)
			//IL_003c: Expected I4, but got Unknown
			//IL_003e: Unknown result type (might be due to invalid IL or missing references)
			//IL_0044: Invalid comparison between Unknown and I4
			//IL_0065: Unknown result type (might be due to invalid IL or missing references)
			//IL_006b: Invalid comparison between Unknown and I4
			switch (nextState - 4)
			{
			case 0:
				PresenceManager.UpdateGameState((PresenceGameState)1, (int)PresenceManager.CurrentState == 0);
				break;
			case 1:
			case 12:
				PresenceManager.UpdateGameState((PresenceGameState)2);
				break;
			case 2:
				PresenceManager.UpdateGameState((PresenceGameState)3);
				break;
			case 3:
				PresenceManager.UpdateGameState((PresenceGameState)4, keepTimer: true);
				break;
			case 6:
				PresenceManager.UpdateGameState((PresenceGameState)5, (int)PresenceManager.CurrentState == 6);
				break;
			case 11:
				PresenceManager.UpdateGameState((PresenceGameState)6, keepTimer: true);
				break;
			case 10:
				PresenceManager.UpdateGameState((PresenceGameState)7, keepTimer: true);
				break;
			case 4:
			case 5:
			case 7:
			case 8:
			case 9:
				break;
			}
		}

		public static string ItemNameForSlot(InventorySlot slot)
		{
			//IL_000e: Unknown result type (might be due to invalid IL or missing references)
			BackpackItem val = null;
			PlayerBackpack localBackpack = PlayerBackpackManager.LocalBackpack;
			if (localBackpack != null && localBackpack.TryGetBackpackItem(slot, ref val))
			{
				if (val == null)
				{
					return null;
				}
				GearIDRange gearIDRange = val.GearIDRange;
				if (gearIDRange == null)
				{
					return null;
				}
				return gearIDRange.PublicGearName;
			}
			return null;
		}

		public static string ItemIDForSlot(InventorySlot slot)
		{
			//IL_000e: Unknown result type (might be due to invalid IL or missing references)
			BackpackItem val = null;
			PlayerBackpack localBackpack = PlayerBackpackManager.LocalBackpack;
			if (localBackpack != null && localBackpack.TryGetBackpackItem(slot, ref val))
			{
				if (val == null)
				{
					return null;
				}
				GearIDRange gearIDRange = val.GearIDRange;
				if (gearIDRange == null)
				{
					return null;
				}
				return gearIDRange.PlayfabItemId;
			}
			return null;
		}

		private static int GetClip(InventorySlot slot)
		{
			//IL_000e: Unknown result type (might be due to invalid IL or missing references)
			BackpackItem val = null;
			PlayerBackpack localBackpack = PlayerBackpackManager.LocalBackpack;
			if (localBackpack != null && localBackpack.TryGetBackpackItem(slot, ref val))
			{
				int? obj;
				if (val == null)
				{
					obj = null;
				}
				else
				{
					Item instance = val.Instance;
					if (instance == null)
					{
						obj = null;
					}
					else
					{
						ItemEquippable obj2 = ((Il2CppObjectBase)instance).TryCast<ItemEquippable>();
						obj = ((obj2 != null) ? new int?(obj2.GetCurrentClip()) : null);
					}
				}
				int? num = obj;
				return num.GetValueOrDefault(-1);
			}
			return -1;
		}

		private static int GetPlayerCount()
		{
			if (Is.R6OrLater)
			{
				return GetPlayerCountR6Plus();
			}
			SNet_Lobby lobby = SNet.Lobby;
			return ((lobby == null) ? null : lobby.Players?.Count).GetValueOrDefault(1);
		}

		private static int GetPlayerCountR6Plus()
		{
			SNet_Lobby lobby = SNet.Lobby;
			int? obj;
			if (lobby == null)
			{
				obj = null;
			}
			else
			{
				List<SNet_Player> players = lobby.Players;
				obj = ((players == null) ? null : SharedUtils.ToSystemList<SNet_Player>(players)?.Where((SNet_Player ply) => !ply.IsBot)?.Count());
			}
			int? num = obj;
			return num.GetValueOrDefault(1);
		}

		private static int GetMaxPlayers()
		{
			if (Is.R6OrLater)
			{
				return GetMaxPlayersR6Plus();
			}
			return ((Il2CppArrayBase<SNet_Slot>)(object)SNet.Slots.PlayerSlots).Count;
		}

		private static int GetMaxPlayersR6Plus()
		{
			int num = 0;
			int count = ((Il2CppArrayBase<SNet_Slot>)(object)SNet.Slots.PlayerSlots).Count;
			for (int i = 0; i < count; i++)
			{
				if (SNet.Slots.IsBotPermittedInSlot(i) || SNet.Slots.IsHumanPermittedInSlot(i))
				{
					num++;
				}
			}
			if (num != 0)
			{
				return num;
			}
			return count;
		}

		[MethodImpl(MethodImplOptions.NoInlining)]
		public static bool IsActiveExpeditionSpecial()
		{
			ExpeditionInTierData activeExpedition = RundownManager.ActiveExpedition;
			bool? obj;
			if (activeExpedition == null)
			{
				obj = null;
			}
			else
			{
				DescriptiveData descriptive = activeExpedition.Descriptive;
				obj = ((descriptive != null) ? new bool?(descriptive.IsExtraExpedition) : null);
			}
			bool? flag = obj;
			return flag.GetValueOrDefault();
		}

		[MethodImpl(MethodImplOptions.NoInlining)]
		public static bool ShouldSkipExpNumberInName()
		{
			ExpeditionInTierData activeExpedition = RundownManager.ActiveExpedition;
			bool? obj;
			if (activeExpedition == null)
			{
				obj = null;
			}
			else
			{
				DescriptiveData descriptive = activeExpedition.Descriptive;
				obj = ((descriptive != null) ? new bool?(descriptive.SkipExpNumberInName) : null);
			}
			bool? flag = obj;
			return flag.GetValueOrDefault();
		}
	}
	[EnableFeatureByDefault]
	public class SteamRichPresenceTweaks : Feature
	{
		public class SteamRPCSettings
		{
			[FSDisplayName("Disable <color=orange>ALL</color> of Steam RPC")]
			[FSDescription("Enabling this will completely disable relaying your current in-game status as well as <b>prevent anyone from joining on you via steam</b>.")]
			public bool DisableSteamRPC { get; set; }

			[FSDisplayName("Custom Status Format")]
			public string CustomSteamRPCFormat { get; set; } = "%Rundown%%Expedition% \"%ExpeditionName%\"";

		}

		[ArchivePatch(/*Could not decode attribute arguments.*/)]
		internal static class SNet_Core_STEAM_SetFriendsDataPatch
		{
			public static void Prefix(FriendsDataType type, ref string data)
			{
				//IL_0014: Unknown result type (might be due to invalid IL or missing references)
				//IL_0016: Invalid comparison between Unknown and I4
				if (Config.DisableSteamRPC)
				{
					data = string.Empty;
				}
				else if ((int)type == 1)
				{
					data = PresenceFormatter.FormatPresenceString(Config.CustomSteamRPCFormat) ?? "";
				}
			}
		}

		public override string Name => "Steam Rich Presence Tweaks";

		public override FeatureGroup Group => FeatureGroups.Presence;

		public override string Description => "Set a custom text for Steams' presence system.";

		[FeatureConfig]
		public static SteamRPCSettings Config { get; set; }
	}
}
namespace TheArchive.Core
{
	public static class DRPIcons
	{
		public static class Weapons
		{
			private static string WeaponPrefix => "weapon_";

			public static string HeavyDutyHammer => WeaponPrefix + "hammer";

			public static string Knife => WeaponPrefix + "knife";

			public static string Bat => WeaponPrefix + "bat";

			public static string Spear => WeaponPrefix + "spear";

			public static string Maul => WeaponPrefix + "maul";

			public static string Sledge => WeaponPrefix + "sledge";

			public static string Gavel => WeaponPrefix + "gavel";

			public static string Mallet => WeaponPrefix + "mallet";
		}

		public static class Tools
		{
			private static string ToolPrefix => "tool_";

			public static string Biotracker => ToolPrefix + "bio";

			public static string CFoamLauncher => ToolPrefix + "glue";

			public static string MineDeployer => ToolPrefix + "mine";

			public static string SentryGun => ToolPrefix + "sentry";
		}

		public static class Resources
		{
			private static string ResourcePrefix => "res_";

			public static string Ammo => ResourcePrefix + "ammo";

			public static string Tool => ResourcePrefix + "tool";

			public static string Meds => ResourcePrefix + "meds";
		}

		public static class Expedition
		{
			public static string ElevatorDropping => "icon_dropping";

			public static string Failed => "icon_failed";

			public static string Survived => "icon_survived";

			public static string Lobby => "icon_lobby";

			public static string Reactor => "icon_reactor";
		}

		public static class Characters
		{
			private static string CharacterPrefix => "char_";

			public static string Woods => CharacterPrefix + "woods";

			public static string Dauda => CharacterPrefix + "dauda";

			public static string Hackett => CharacterPrefix + "hackett";

			public static string Bishop => CharacterPrefix + "bishop";
		}

		public static string GTFOIcon => "gtfo_icon";

		public static string Debug => "please_just_work";

		public static string EnemyPing => "icon_enemy";
	}
}
namespace TheArchive.Core.Settings
{
	public class RichPresenceSettings
	{
		public class GSTopActivity : GSActivity
		{
			public List<GSSubActivity> SubActivities = new List<GSSubActivity>();

			[JsonIgnore]
			public bool HasSubActivities => (SubActivities?.Count ?? 0) > 0;

			public GSTopActivity FillDefaultDictValues(PresenceGameState state)
			{
				//IL_0014: Unknown result type (might be due to invalid IL or missing references)
				RichPresenceSettings @default = Default;
				if (!base.HasActivities)
				{
					@default.DiscordRPCFormat.TryGetValue(state, out var value);
					Formats = value.Formats;
					if (!HasSubActivities && value.HasSubActivities)
					{
						foreach (GSSubActivity subActivity in value.SubActivities)
						{
							SubActivities.Add(subActivity);
						}
					}
				}
				return this;
			}
		}

		public class GSSubActivity : GSActivity
		{
			public List<string> DisplayConditions = new List<string>();

			public bool DisplayConditionsAnyMode;
		}

		public class GSActivity
		{
			public List<GSActivityFormat> Formats = new List<GSActivityFormat>();

			[JsonIgnore]
			public bool HasActivities
			{
				get
				{
					List<GSActivityFormat> formats = Formats;
					if (formats == null)
					{
						return false;
					}
					return formats.Count > 0;
				}
			}

			[JsonIgnore]
			public bool IsMultiFormat
			{
				get
				{
					List<GSActivityFormat> formats = Formats;
					if (formats == null)
					{
						return false;
					}
					return formats.Count > 1;
				}
			}

			[JsonIgnore]
			public int Count => Formats?.Count ?? 0;

			[JsonIgnore]
			public int MultiIndex { get; private set; }

			[JsonIgnore]
			public int CurrentMultiCycleCurrency { get; private set; } = 10;


			public int MultiFormatCycleTime { get; set; } = 10;


			public GSActivityFormat GetNext()
			{
				if (!IsMultiFormat)
				{
					return Formats[0];
				}
				if (MultiIndex >= Count)
				{
					MultiIndex = 0;
				}
				GSActivityFormat result = Formats[MultiIndex];
				CurrentMultiCycleCurrency -= 5;
				if (CurrentMultiCycleCurrency <= 0)
				{
					MultiIndex++;
					CurrentMultiCycleCurrency = MultiFormatCycleTime;
				}
				return result;
			}
		}

		public class GSActivityFormat
		{
			public string Details { get; set; } = "DefaultDetailsFormatString";


			public string Status { get; set; } = "DefaultStatusFormatString";


			public GSActivityAssets Assets { get; set; }

			public bool DisplayStateTimeElapsed { get; set; } = true;


			public string CustomTimeProvider { get; set; } = "";


			public bool CustomProviderIsEndTime { get; set; } = true;


			public bool DisplayPartyInfo { get; set; }
		}

		public class GSActivityAssets
		{
			public string LargeImageKey { get; set; } = "please_just_work";


			public string LargeTooltip { get; set; } = "Default Large Tooltip";


			public string SmallImageKey { get; set; }

			public string SmallTooltip { get; set; }
		}

		public Dictionary<PresenceGameState, GSTopActivity> DiscordRPCFormat = new Dictionary<PresenceGameState, GSTopActivity>
		{
			{
				(PresenceGameState)0,
				new GSTopActivity
				{
					Formats = new List<GSActivityFormat>
					{
						new GSActivityFormat
						{
							Details = "Initializing ...",
							Status = "Waking prisoners ...",
							Assets = new GSActivityAssets
							{
								LargeImageKey = "gtfo_icon",
								LargeTooltip = "GTFO"
							}
						}
					}
				}
			},
			{
				(PresenceGameState)1,
				new GSTopActivity
				{
					Formats = new List<GSActivityFormat>
					{
						new GSActivityFormat
						{
							Details = "%RundownWithNumberOrModdedPrefix%: \"%RundownTitle%\"",
							Status = "Deciding what to do",
							Assets = new GSActivityAssets
							{
								LargeImageKey = "gtfo_icon",
								LargeTooltip = "GTFO"
							}
						}
					}
				}
			},
			{
				(PresenceGameState)2,
				new GSTopActivity
				{
					Formats = new List<GSActivityFormat>
					{
						new GSActivityFormat
						{
							Details = "%Rundown% %Expedition% \"%ExpeditionName%\"",
							Status = "In Lobby",
							Assets = new GSActivityAssets
							{
								LargeImageKey = "icon_lobby",
								LargeTooltip = "GTFO %Rundown% \"%RundownTitle%\"",
								SmallImageKey = "%CharacterImageKey%",
								SmallTooltip = "Playing as %CharacterName%"
							},
							DisplayPartyInfo = true
						}
					}
				}
			},
			{
				(PresenceGameState)3,
				new GSTopActivity
				{
					MultiFormatCycleTime = 5,
					Formats = new List<GSActivityFormat>
					{
						new GSActivityFormat
						{
							Details = "%Rundown% %Expedition% \"%ExpeditionName%\"",
							Status = "Dropping .",
							Assets = new GSActivityAssets
							{
								LargeImageKey = "icon_dropping",
								LargeTooltip = "Riding the elevator to hell ..."
							},
							DisplayPartyInfo = true
						},
						new GSActivityFormat
						{
							Details = "%Rundown% %Expedition% \"%ExpeditionName%\"",
							Status = "Dropping ..",
							Assets = new GSActivityAssets
							{
								LargeImageKey = "icon_dropping",
								LargeTooltip = "Riding the elevator to hell ..."
							},
							DisplayPartyInfo = true
						},
						new GSActivityFormat
						{
							Details = "%Rundown% %Expedition% \"%ExpeditionName%\"",
							Status = "Dropping ...",
							Assets = new GSActivityAssets
							{
								LargeImageKey = "icon_dropping",
								LargeTooltip = "Riding the elevator to hell ..."
							},
							DisplayPartyInfo = true
						}
					}
				}
			},
			{
				(PresenceGameState)4,
				new GSTopActivity
				{
					Formats = new List<GSActivityFormat>
					{
						new GSActivityFormat
						{
							Details = "%Rundown% %Expedition% \"%ExpeditionName%\"",
							Status = "Engaging brakes ...",
							Assets = new GSActivityAssets
							{
								LargeImageKey = "icon_dropping",
								LargeTooltip = "Next stop: Hell"
							},
							DisplayPartyInfo = true
						}
					}
				}
			},
			{
				(PresenceGameState)5,
				new GSTopActivity
				{
					Formats = new List<GSActivityFormat>
					{
						new GSActivityFormat
						{
							Details = "%Rundown% %Expedition% \"%ExpeditionName%\"",
							Status = "In Expedition",
							Assets = new GSActivityAssets
							{
								LargeImageKey = "gtfo_icon",
								LargeTooltip = "Exploring %CurrentZoneShort% Area %AreaSuffix%",
								SmallImageKey = "%MeleeWeaponKey%",
								SmallTooltip = "%EquippedMeleeWeaponName%"
							},
							DisplayPartyInfo = true
						},
						new GSActivityFormat
						{
							Details = "Health: %HealthPercent%%",
							Status = "In Expedition",
							Assets = new GSActivityAssets
							{
								LargeImageKey = "gtfo_icon",
								LargeTooltip = "%Rundown% %Expedition% \"%ExpeditionName%\"",
								SmallImageKey = "res_meds",
								SmallTooltip = "Prisoner vitals"
							},
							DisplayPartyInfo = true
						},
						new GSActivityFormat
						{
							Details = "Primary: %PrimaryAmmoPercent%% Special: %SpecialAmmoPercent%%",
							Status = "In Expedition",
							Assets = new GSActivityAssets
							{
								LargeImageKey = "gtfo_icon",
								LargeTooltip = "%Rundown% %Expedition% \"%ExpeditionName%\"",
								SmallImageKey = "res_ammo",
								SmallTooltip = "Ammo levels"
							},
							DisplayPartyInfo = true
						},
						new GSActivityFormat
						{
							Details = "Tool: %ToolAmmoPercentOrStatus%",
							Status = "In Expedition",
							Assets = new GSActivityAssets
							{
								LargeImageKey = "%ToolKey%",
								LargeTooltip = "%EquippedToolName%",
								SmallImageKey = "res_tool",
								SmallTooltip = "Resource level"
							},
							DisplayPartyInfo = true
						}
					},
					SubActivities = new List<GSSubActivity>
					{
						new GSSubActivity
						{
							DisplayConditions = new List<string> { "%IsReactorActive%", "%IsReactorInIntro%", "%IsReactorTypeStartup%", "!%IsReactorInVerifyFailState%" },
							Formats = new List<GSActivityFormat>
							{
								new GSActivityFormat
								{
									Details = "Reactor %ReactorType% (%ReactorWaveCountCurrent%/%ReactorWaveCountMax%)",
									Status = "Warming Up!",
									Assets = new GSActivityAssets
									{
										LargeImageKey = DRPIcons.Expedition.Reactor,
										LargeTooltip = "%Rundown% %Expedition% \"%ExpeditionName%\""
									},
									DisplayPartyInfo = true,
									DisplayStateTimeElapsed = false,
									CustomTimeProvider = "%ReactorWaveEndTime%"
								}
							}
						},
						new GSSubActivity
						{
							DisplayConditions = new List<string> { "%IsReactorActive%", "%IsReactorInIntro%", "%IsReactorTypeStartup%", "%IsReactorInVerifyFailState%" },
							Formats = new List<GSActivityFormat>
							{
								new GSActivityFormat
								{
									Details = "%ReactorType% Sequence Failed! (%ReactorWaveCountCurrent%/%ReactorWaveCountMax%)",
									Status = "Warming Up!",
									Assets = new GSActivityAssets
									{
										LargeImageKey = DRPIcons.Expedition.Reactor,
										LargeTooltip = "%Rundown% %Expedition% \"%ExpeditionName%\""
									},
									DisplayPartyInfo = true,
									DisplayStateTimeElapsed = false,
									CustomTimeProvider = "%ReactorWaveEndTime%"
								}
							}
						},
						new GSSubActivity
						{
							DisplayConditions = new List<string> { "%IsReactorActive%", "%IsReactorInIntro%", "!%IsReactorTypeStartup%" },
							Formats = new List<GSActivityFormat>
							{
								new GSActivityFormat
								{
									Details = "Reactor %ReactorType% Sequence",
									Status = "Warning!",
									Assets = new GSActivityAssets
									{
										LargeImageKey = DRPIcons.Expedition.Reactor,
										LargeTooltip = "%Rundown% %Expedition% \"%ExpeditionName%\""
									},
									DisplayPartyInfo = true
								}
							}
						},
						new GSSubActivity
						{
							DisplayConditions = new List<string> { "%IsReactorActive%", "%IsReactorWaveOrChaosActive%", "%IsReactorTypeStartup%" },
							Formats = new List<GSActivityFormat>
							{
								new GSActivityFormat
								{
									Details = "Reactor Wave (%ReactorWaveCountCurrent%/%ReactorWaveCountMax%)",
									Status = "High Intensive Test",
									Assets = new GSActivityAssets
									{
										LargeImageKey = DRPIcons.Expedition.Reactor,
										LargeTooltip = "%Rundown% %Expedition% \"%ExpeditionName%\"",
										SmallImageKey = DRPIcons.EnemyPing,
										SmallTooltip = "Heavy Reactor Load"
									},
									DisplayPartyInfo = true,
									DisplayStateTimeElapsed = false,
									CustomTimeProvider = "%ReactorWaveEndTime%"
								}
							}
						},
						new GSSubActivity
						{
							DisplayConditions = new List<string> { "%IsReactorActive%", "%IsReactorWaveOrChaosActive%", "!%IsReactorTypeStartup%" },
							Formats = new List<GSActivityFormat>
							{
								new GSActivityFormat
								{
									Details = "Reactor Shutdown Failure!",
									Status = "Alarm triggered!",
									Assets = new GSActivityAssets
									{
										LargeImageKey = DRPIcons.Expedition.Reactor,
										LargeTooltip = "%Rundown% %Expedition% \"%ExpeditionName%\"",
										SmallImageKey = DRPIcons.EnemyPing,
										SmallTooltip = "Security System Malfunctioning"
									},
									DisplayPartyInfo = true
								}
							}
						},
						new GSSubActivity
						{
							DisplayConditions = new List<string> { "%IsReactorActive%", "%IsReactorAwaitingVerify%", "%IsReactorTypeStartup%" },
							Formats = new List<GSActivityFormat>
							{
								new GSActivityFormat
								{
									Details = "%ReactorVerificationString% (%ReactorWaveCountCurrent%/%ReactorWaveCountMax%)",
									Status = "Verification Required!",
									Assets = new GSActivityAssets
									{
										LargeImageKey = DRPIcons.Expedition.Reactor,
										LargeTooltip = "%Rundown% %Expedition% \"%ExpeditionName%\""
									},
									DisplayPartyInfo = true,
									DisplayStateTimeElapsed = false,
									CustomTimeProvider = "%ReactorWaveEndTime%"
								}
							}
						},
						new GSSubActivity
						{
							DisplayConditions = new List<string> { "%IsReactorActive%", "%IsReactorAwaitingVerify%", "!%IsReactorTypeStartup%" },
							Formats = new List<GSActivityFormat>
							{
								new GSActivityFormat
								{
									Details = "Initiating Shutdown Sequence ...",
									Status = "Verification Required!",
									Assets = new GSActivityAssets
									{
										LargeImageKey = DRPIcons.Expedition.Reactor,
										LargeTooltip = "%Rundown% %Expedition% \"%ExpeditionName%\""
									},
									DisplayPartyInfo = true
								}
							}
						},
						new GSSubActivity
						{
							DisplayConditions = new List<string> { "%IsReactorActive%", "%IsReactorCompleted%" },
							Formats = new List<GSActivityFormat>
							{
								new GSActivityFormat
								{
									Details = "Reactor %ReactorType% Sequence",
									Status = "Complete!",
									Assets = new GSActivityAssets
									{
										LargeImageKey = DRPIcons.Expedition.Reactor,
										LargeTooltip = "%Rundown% %Expedition% \"%ExpeditionName%\""
									},
									DisplayPartyInfo = true
								}
							}
						}
					}
				}
			},
			{
				(PresenceGameState)6,
				new GSTopActivity
				{
					Formats = new List<GSActivityFormat>
					{
						new GSActivityFormat
						{
							Details = "%Rundown% %Expedition% \"%ExpeditionName%\"",
							Status = "EXPD FAILED",
							Assets = new GSActivityAssets
							{
								LargeImageKey = "icon_failed",
								LargeTooltip = "Beep, Beep, Beeeeeeeeeeep",
								SmallImageKey = "%CharacterImageKey%",
								SmallTooltip = "\"%CharacterName%\", Status: DECEASED"
							},
							DisplayPartyInfo = true
						}
					}
				}
			},
			{
				(PresenceGameState)7,
				new GSTopActivity
				{
					Formats = new List<GSActivityFormat>
					{
						new GSActivityFormat
						{
							Details = "%Rundown% %Expedition% \"%ExpeditionName%\"",
							Status = "EXPD SURVIVED",
							Assets = new GSActivityAssets
							{
								LargeImageKey = "icon_survived",
								LargeTooltip = "Hydrostasis awaits ...",
								SmallImageKey = "%CharacterImageKey%",
								SmallTooltip = "\"%CharacterName%\", Status: ALIVE"
							},
							DisplayPartyInfo = true
						}
					}
				}
			}
		};

		[FSHide]
		[FSDisplayName("DEBUG Use Default Settings")]
		public bool DEBUG_UseDefaultSettings { get; set; }

		[FSIgnore]
		public bool DEBUG_RichPresenceLogSpam { get; set; }

		[JsonIgnore]
		[FSIgnore]
		internal static RichPresenceSettings Default => new RichPresenceSettings();

		public RichPresenceSettings FillDefaultDictValues()
		{
			//IL_0022: Unknown result type (might be due to invalid IL or missing references)
			//IL_003b: Unknown result type (might be due to invalid IL or missing references)
			//IL_0049: Unknown result type (might be due to invalid IL or missing references)
			//IL_005d: Unknown result type (might be due to invalid IL or missing references)
			foreach (KeyValuePair<PresenceGameState, GSTopActivity> item in new RichPresenceSettings().DiscordRPCFormat)
			{
				if (!DiscordRPCFormat.TryGetValue(item.Key, out var value) || value == null)
				{
					DiscordRPCFormat.Add(item.Key, item.Value.FillDefaultDictValues(item.Key));
				}
				else
				{
					value.FillDefaultDictValues(item.Key);
				}
			}
			return this;
		}
	}
}
namespace TheArchive.Core.Managers
{
	public class ArchiveDiscordManager
	{
		public static class DiscordClient
		{
			public const long DEFAULT_CLIENT_ID = 946141176338190346L;

			private static DiscordRpcClient _discordClient;

			private static ILogger _clientLogger;

			private static string _lastLobbyId;

			private static string _lastPartyHash;

			private static readonly RichPresence DefaultFallbackActivity = new RichPresence
			{
				Details = "???",
				State = "err:// no c0nnec7ion",
				Assets = new Assets
				{
					LargeImageKey = "gtfo_icon",
					LargeImageText = "GTFO"
				}
			};

			public static long UsedClientID { get; private set; }

			public static void Initialize(long clientId = 946141176338190346L)
			{
				//IL_002c: Unknown result type (might be due to invalid IL or missing references)
				//IL_0036: Expected O, but got Unknown
				//IL_005b: Unknown result type (might be due to invalid IL or missing references)
				//IL_0065: Expected O, but got Unknown
				//IL_0071: Unknown result type (might be due to invalid IL or missing references)
				//IL_007b: Expected O, but got Unknown
				UsedClientID = clientId;
				_clientLogger = (ILogger)(object)new DiscordLogger(LoaderWrapper.CreateLoggerInstance("DiscordClient", ConsoleColor.Magenta), (LogLevel)3);
				_discordClient = new DiscordRpcClient(clientId.ToString(), -1, _clientLogger, false, (INamedPipeClient)null);
				_discordClient.RegisterUriScheme(493520u.ToString(), (string)null);
				_discordClient.OnReady += new OnReadyEvent(OnReady);
				_discordClient.OnJoin += new OnJoinEvent(OnJoin);
				_discordClient.Subscribe((EventType)2);
				_discordClient.Initialize();
			}

			private static void OnJoin(object sender, JoinMessage args)
			{
				Logger.Notice("OnJoin received! (" + args.Secret + ")");
				ArchiveDiscordManager.OnActivityJoin?.Invoke(args.Secret);
			}

			private static void OnReady(object sender, ReadyMessage args)
			{
				//IL_002a: Unknown result type (might be due to invalid IL or missing references)
				Logger.Notice("Discord is ready!");
				float realtimeSinceStartup = Time.realtimeSinceStartup;
				if (!(realtimeSinceStartup < _lastCheckedTime + 5f))
				{
					_lastCheckedTime = realtimeSinceStartup;
					RichPresence val = BuildActivity(PresenceManager.CurrentState, PresenceManager.CurrentStateStartTime);
					if (TryUpdateActivity(val))
					{
						_lastActivity = val;
					}
				}
			}

			private static Party GetParty(string partyId = null)
			{
				//IL_0000: Unknown result type (might be due to invalid IL or missing references)
				//IL_0005: Unknown result type (might be due to invalid IL or missing references)
				//IL_000c: Unknown result type (might be due to invalid IL or missing references)
				//IL_0027: Unknown result type (might be due to invalid IL or missing references)
				//IL_0038: Expected O, but got Unknown
				return new Party
				{
					ID = partyId,
					Size = PresenceFormatter.Get<int>("MaxPlayerSlots") - PresenceFormatter.Get<int>("OpenSlots"),
					Max = PresenceFormatter.Get<int>("MaxPlayerSlots")
				};
			}

			private static Secrets GetSecrets(string joinSecret = null)
			{
				//IL_0005: Unknown result type (might be due to invalid IL or missing references)
				//IL_000a: Unknown result type (might be due to invalid IL or missing references)
				//IL_0012: Expected O, but got Unknown
				if (joinSecret == null)
				{
					return null;
				}
				return new Secrets
				{
					JoinSecret = joinSecret
				};
			}

			private static Timestamps GetTimestamp(ulong? startTime = null, ulong? endTime = null)
			{
				//IL_0000: Unknown result type (might be due to invalid IL or missing references)
				//IL_0005: Unknown result type (might be due to invalid IL or missing references)
				//IL_0036: Unknown result type (might be due to invalid IL or missing references)
				//IL_0068: Expected O, but got Unknown
				return new Timestamps
				{
					StartUnixMilliseconds = startTime * 1000,
					EndUnixMilliseconds = endTime * 1000
				};
			}

			internal static RichPresence BuildActivity(PresenceGameState state, DateTimeOffset startTime)
			{
				//IL_000a: Unknown result type (might be due to invalid IL or missing references)
				//IL_002a: Unknown result type (might be due to invalid IL or missing references)
				//IL_0138: Unknown result type (might be due to invalid IL or missing references)
				if (!_settings.DiscordRPCFormat.TryGetValue(state, out var value))
				{
					return DefaultFallbackActivity;
				}
				RichPresenceSettings.GSActivity gSActivity = value;
				if (!value.HasSubActivities)
				{
					return ActivityFromFormat(gSActivity.GetNext(), state, startTime);
				}
				foreach (RichPresenceSettings.GSSubActivity subActivity in value.SubActivities)
				{
					try
					{
						if (subActivity.DisplayConditionsAnyMode)
						{
							bool flag = false;
							foreach (string displayCondition in subActivity.DisplayConditions)
							{
								string text = PresenceFormatter.Format(displayCondition, Array.Empty<(string, string)>());
								if (text == "True" || text == "!False")
								{
									flag = true;
								}
							}
							if (!flag)
							{
								throw null;
							}
						}
						else
						{
							foreach (string displayCondition2 in subActivity.DisplayConditions)
							{
								string text2 = PresenceFormatter.Format(displayCondition2, Array.Empty<(string, string)>());
								if (text2 != "True" && text2 != "!False")
								{
									throw null;
								}
							}
						}
						gSActivity = subActivity;
					}
					catch
					{
						continue;
					}
					break;
				}
				return ActivityFromFormat(gSActivity.GetNext(), state, startTime);
			}

			private static RichPresence ActivityFromFormat(RichPresenceSettings.GSActivityFormat format, PresenceGameState state, DateTimeOffset startTime)
			{
				//IL_0022: Unknown result type (might be due to invalid IL or missing references)
				//IL_0028: Expected O, but got Unknown
				//IL_0077: Unknown result type (might be due to invalid IL or missing references)
				//IL_007d: Expected O, but got Unknown
				if (format == null)
				{
					return DefaultFallbackActivity;
				}
				(string, string) tuple = ("state", ((object)(PresenceGameState)(ref state)).ToString());
				RichPresence val = new RichPresence();
				string details = format.Details;
				((BaseRichPresence)val).Details = ((details != null) ? PresenceFormatter.Format(details, new(string, string)[1] { tuple }) : null);
				string status = format.Status;
				((BaseRichPresence)val).State = ((status != null) ? PresenceFormatter.Format(status, new(string, string)[1] { tuple }) : null);
				RichPresence val2 = val;
				Assets val3 = new Assets();
				string largeImageKey = format.Assets.LargeImageKey;
				val3.LargeImageKey = ((largeImageKey != null) ? PresenceFormatter.Format(largeImageKey, new(string, string)[1] { tuple }) : null);
				string largeTooltip = format.Assets.LargeTooltip;
				val3.LargeImageText = ((largeTooltip != null) ? PresenceFormatter.Format(largeTooltip, new(string, string)[1] { tuple }) : null);
				string smallImageKey = format.Assets.SmallImageKey;
				val3.SmallImageKey = ((smallImageKey != null) ? PresenceFormatter.Format(smallImageKey, new(string, string)[1] { tuple }) : null);
				string smallTooltip = format.Assets.SmallTooltip;
				val3.SmallImageText = ((smallTooltip != null) ? PresenceFormatter.Format(smallTooltip, new(string, string)[1] { tuple }) : null);
				((BaseRichPresence)val2).Assets = val3;
				ulong result;
				if (format.DisplayStateTimeElapsed)
				{
					((BaseRichPresence)val2).Timestamps = GetTimestamp((ulong)startTime.ToUnixTimeSeconds());
				}
				else if (!string.IsNullOrWhiteSpace(format.CustomTimeProvider) && ulong.TryParse(PresenceFormatter.Format(format.CustomTimeProvider, Array.Empty<(string, string)>()), out result))
				{
					if (format.CustomProviderIsEndTime)
					{
						ulong? endTime = result;
						((BaseRichPresence)val2).Timestamps = GetTimestamp(null, endTime);
					}
					else
					{
						((BaseRichPresence)val2).Timestamps = GetTimestamp(result);
					}
				}
				if (format.DisplayPartyInfo)
				{
					if (PresenceFormatter.Get<bool>("HasLobby"))
					{
						string text = PresenceFormatter.Get("LobbyID").ToString();
						((BaseRichPresence)val2).Party = GetParty(GetPartyID(text));
						((BaseRichPresence)val2).Secrets = GetSecrets(text);
					}
					else
					{
						((BaseRichPresence)val2).Party = GetParty(PartyGuid.ToString());
					}
				}
				return val2;
			}

			private static string GetPartyID(string lobbyId)
			{
				bool flag = _lastLobbyId != lobbyId;
				_lastLobbyId = lobbyId;
				if (string.IsNullOrWhiteSpace(lobbyId))
				{
					return PartyGuid.ToString();
				}
				if (!flag)
				{
					return _lastPartyHash;
				}
				string text = Convert.ToBase64String(SHA256.HashData(Encoding.UTF8.GetBytes(lobbyId)));
				if (text.Length > 128)
				{
					text = text.Substring(0, 128);
				}
				_lastPartyHash = text;
				return text;
			}

			internal static bool TryUpdateActivity(RichPresence activity)
			{
				if (_discordClient == null)
				{
					return false;
				}
				if (_settings.DEBUG_RichPresenceLogSpam)
				{
					Logger.Notice("Activity updated: Details:" + ((BaseRichPresence)activity).Details + " State:" + ((BaseRichPresence)activity).State);
				}
				_discordClient.SetPresence(activity);
				return true;
			}

			public static void Dispose()
			{
				//IL_0013: Unknown result type (might be due to invalid IL or missing references)
				//IL_001d: Expected O, but got Unknown
				//IL_0029: Unknown result type (might be due to invalid IL or missing references)
				//IL_0033: Expected O, but got Unknown
				if (_discordClient != null)
				{
					_discordClient.OnReady += new OnReadyEvent(OnReady);
					_discordClient.OnJoin += new OnJoinEvent(OnJoin);
					_discordClient.Dispose();
				}
				_discordClient = null;
			}

			public static void RunCallbacks()
			{
				_discordClient.Invoke();
			}
		}

		private static RichPresence _lastActivity;

		private static float _lastCheckedTime;

		private static RichPresenceSettings _settings;

		private static IArchiveLogger _logger;

		public static bool HasBeenSetup => _settings != null;

		public static bool IsEnabled { get; private set; }

		public static Guid PartyGuid { get; private set; } = Guid.NewGuid();


		private static IArchiveLogger Logger => _logger ?? (_logger = LoaderWrapper.CreateLoggerInstance("ArchiveDiscordManager", ConsoleColor.Magenta));

		public static event Action<string> OnActivityJoin;

		public static void Enable(RichPresenceSettings rpcSettings)
		{
			if (rpcSettings == null)
			{
				throw new ArgumentNullException("rpcSettings");
			}
			if (rpcSettings.DEBUG_UseDefaultSettings)
			{
				_settings = RichPresenceSettings.Default;
			}
			else
			{
				_settings = rpcSettings;
			}
			try
			{
				DiscordClient.Initialize();
				DiscordClient.RunCallbacks();
				IsEnabled = true;
			}
			catch (Exception ex)
			{
				Logger.Error($"Exception has been thrown in {"ArchiveDiscordManager"}. {ex}: {ex.Message}");
				Logger.Exception(ex);
			}
		}

		public static void Disable()
		{
			if (IsEnabled)
			{
				DiscordClient.Dispose();
				IsEnabled = false;
			}
		}

		public static void Update()
		{
			//IL_0022: Unknown result type (might be due to invalid IL or missing references)
			if (!IsEnabled)
			{
				return;
			}
			float time = Time.time;
			if (_lastCheckedTime + 5f <= time)
			{
				_lastCheckedTime = time;
				RichPresence val = DiscordClient.BuildActivity(PresenceManager.CurrentState, PresenceManager.CurrentStateStartTime);
				if (!((object)val).Equals((object?)_lastActivity) && DiscordClient.TryUpdateActivity(val))
				{
					_lastActivity = val;
				}
			}
			DiscordClient.RunCallbacks();
		}

		public static void RenewPartyGuid()
		{
			PartyGuid = Guid.NewGuid();
		}
	}
	public class DiscordLogger : ILogger
	{
		private readonly IArchiveLogger _logger;

		public LogLevel Level { get; set; }

		public DiscordLogger(IArchiveLogger archiveLogger, LogLevel logLevel)
		{
			//IL_000e: Unknown result type (might be due to invalid IL or missing references)
			_logger = archiveLogger;
			Level = logLevel;
		}

		public void Trace(string message, params object[] args)
		{
			//IL_0001: Unknown result type (might be due to invalid IL or missing references)
			//IL_0007: Invalid comparison between Unknown and I4
			if ((int)Level <= 1)
			{
				string text = message;
				if (args.Length != 0)
				{
					text = string.Format(message, args);
				}
				_logger.Debug(text);
			}
		}

		public void Info(string message, params object[] args)
		{
			//IL_0001: Unknown result type (might be due to invalid IL or missing references)
			//IL_0007: Invalid comparison between Unknown and I4
			if ((int)Level <= 2)
			{
				string text = message;
				if (args.Length != 0)
				{
					text = string.Format(message, args);
				}
				_logger.Msg(ConsoleColor.DarkMagenta, text);
			}
		}

		public void Warning(string message, params object[] args)
		{
			//IL_0001: Unknown result type (might be due to invalid IL or missing references)
			//IL_0007: Invalid comparison between Unknown and I4
			if ((int)Level <= 3)
			{
				string text = message;
				if (args.Length != 0)
				{
					text = string.Format(message, args);
				}
				_logger.Warning(text);
			}
		}

		public void Error(string message, params object[] args)
		{
			//IL_0001: Unknown result type (might be due to invalid IL or missing references)
			//IL_0007: Invalid comparison between Unknown and I4
			if ((int)Level <= 4)
			{
				string text = message;
				if (args.Length != 0)
				{
					text = string.Format(message, args);
				}
				_logger.Error(text);
			}
		}
	}
	public class PresenceManager
	{
		private static IArchiveLogger _logger;

		public static PresenceGameState LastState { get; private set; } = (PresenceGameState)0;


		public static PresenceGameState CurrentState { get; private set; } = (PresenceGameState)0;


		public static DateTimeOffset CurrentStateStartTime { get; private set; } = DateTimeOffset.UtcNow;


		private static IArchiveLogger Logger => _logger ?? (_logger = LoaderWrapper.CreateLoggerInstance("PresenceManager", ConsoleColor.DarkMagenta));

		[FallbackPresenceFormatProvider("EquippedMeleeWeaponName", false)]
		public static string EquippedMeleeWeaponName => "None";

		[FallbackPresenceFormatProvider("EquippedMeleeWeaponID", false)]
		public static string EquippedMeleeWeaponID => "None";

		[PresenceFormatProvider("MeleeWeaponKey")]
		public static string MeleeWeaponKey
		{
			get
			{
				string text = PresenceFormatter.Get<string>("EquippedMeleeWeaponID")?.ToLower();
				switch (text)
				{
				case "heavydutyhammer":
					text = "hammer";
					goto default;
				case "sledgehammer":
					text = "sledge";
					goto default;
				default:
					return "weapon_" + text;
				case null:
					return "please_just_work";
				}
			}
		}

		[FallbackPresenceFormatProvider("EquippedToolName", false)]
		public static string EquippedToolName => "None";

		[FallbackPresenceFormatProvider("EquippedToolID", false)]
		public static string EquippedToolID => "None";

		[PresenceFormatProvider("ToolKey")]
		public static string ToolKey
		{
			get
			{
				string text = PresenceFormatter.Get<string>("EquippedToolID")?.ToLower();
				if (text != null)
				{
					if (text.Contains("sentry"))
					{
						return "tool_sentry";
					}
					if (text.Contains("bio"))
					{
						return "tool_bio";
					}
					if (text.Contains("mine"))
					{
						return "tool_mine";
					}
					if (text.Contains("glue"))
					{
						return "tool_glue";
					}
				}
				return "please_just_work";
			}
		}

		[FallbackPresenceFormatProvider("PrimaryAmmo", false)]
		public static int PrimaryAmmo => -1;

		[FallbackPresenceFormatProvider("MaxPrimaryAmmo", false)]
		public static int MaxPrimaryAmmo => -1;

		[PresenceFormatProvider("PrimaryAmmoPercent")]
		public static int PrimaryAmmoPercent => GetPercentFromInts("PrimaryAmmo", "MaxPrimaryAmmo");

		[FallbackPresenceFormatProvider("SpecialAmmo", false)]
		public static int SpecialAmmo => -1;

		[FallbackPresenceFormatProvider("MaxSpecialAmmo", false)]
		public static int MaxSpecialAmmo => -1;

		[PresenceFormatProvider("SpecialAmmoPercent")]
		public static int SpecialAmmoPercent => GetPercentFromInts("SpecialAmmo", "MaxSpecialAmmo");

		[FallbackPresenceFormatProvider("ToolAmmo", false)]
		public static int ToolAmmo => -1;

		[FallbackPresenceFormatProvider("MaxToolAmmo", false)]
		public static int MaxToolAmmo => -1;

		[PresenceFormatProvider("ToolAmmoOrStatus")]
		public static string ToolAmmoOrStatus
		{
			get
			{
				string text = PresenceFormatter.Get<string>("ToolKey");
				int num = PresenceFormatter.Get<int>("ToolAmmo");
				int value = PresenceFormatter.Get<int>("MaxToolAmmo");
				if (!(text == "tool_bio"))
				{
					if (text == "tool_sentry")
					{
						if (num > 0)
						{
							return $"{num}/{value}";
						}
						return "Deployed/Empty";
					}
					if (num > 0)
					{
						return $"{num}/{value}";
					}
					return "Empty";
				}
				return "Infinite";
			}
		}

		[PresenceFormatProvider("ToolAmmoPercent")]
		public static int ToolAmmoPercent => GetPercentFromInts("ToolAmmo", "MaxToolAmmo");

		[PresenceFormatProvider("ToolAmmoPercentOrStatus")]
		public static string ToolAmmoPercentOrStatus
		{
			get
			{
				string text = PresenceFormatter.Get<string>("ToolKey");
				float num = PresenceFormatter.Get<int>("ToolAmmo");
				float max = PresenceFormatter.Get<int>("MaxToolAmmo");
				if (!(text == "tool_bio"))
				{
					if (text == "tool_sentry")
					{
						if (num > 0f)
						{
							return $"{GetPercent(num, max)}%";
						}
						return "Deployed/Empty";
					}
					if (num > 0f)
					{
						return $"{GetPercent(num, max)}%";
					}
					return "Empty";
				}
				return "∞";
			}
		}

		[FallbackPresenceFormatProvider("LocalCharacterID", false)]
		public static int LocalCharacterID { get; set; } = 0;


		[PresenceFormatProvider("CharacterImageKey")]
		public static string CharacterImageKey => PresenceFormatter.Get<int>("LocalCharacterID") switch
		{
			0 => "char_woods", 
			1 => "char_dauda", 
			2 => "char_hackett", 
			3 => "char_bishop", 
			_ => "please_just_work", 
		};

		[PresenceFormatProvider("CharacterName")]
		public static string CharacterName
		{
			get
			{
				int num = PresenceFormatter.Get<int>("LocalCharacterID");
				return SNet.Core.GetBotNickname(num);
			}
		}

		[FallbackPresenceFormatProvider("HealthRaw", false)]
		public static float HealthRaw => -1f;

		[FallbackPresenceFormatProvider("MaxHealthRaw", false)]
		public static float MaxHealthRaw => 25f;

		[PresenceFormatProvider("HealthPercent")]
		public static int HealthPercent => GetPercentFromFloats("HealthRaw", "MaxHealthRaw");

		[FallbackPresenceFormatProvider("HasLobby", false)]
		public static bool HasLobby => false;

		[FallbackPresenceFormatProvider("LobbyID", false)]
		public static string LobbyID => "0123456789";

		[FallbackPresenceFormatProvider("OpenSlots", false)]
		public static int OpenSlots { get; set; } = 0;


		[FallbackPresenceFormatProvider("MaxPlayerSlots", true)]
		public static int MaxPlayerSlots { get; set; } = 4;


		[FallbackPresenceFormatProvider("ExpeditionTier", false)]
		public static string ExpeditionTier { get; set; } = string.Empty;


		[FallbackPresenceFormatProvider("ExpeditionTierIsSpecial", true)]
		public static bool ExpeditionTierIsSpecial { get; set; } = false;


		[FallbackPresenceFormatProvider("ExpeditionSkipExpNumberInName", true)]
		public static bool ExpeditionSkipExpNumberInName { get; set; } = false;


		[FallbackPresenceFormatProvider("ExpeditionNumber", false)]
		public static string ExpeditionNumber { get; set; } = string.Empty;


		[FallbackPresenceFormatProvider("ExpeditionName", false)]
		public static string ExpeditionName { get; set; } = string.Empty;


		[FallbackPresenceFormatProvider("ZonePrefix", false)]
		public static string ZonePrefix { get; set; } = string.Empty;


		[FallbackPresenceFormatProvider("ZonePrefixLong", false)]
		public static string ZonePrefixLong { get; set; } = string.Empty;


		[FallbackPresenceFormatProvider("ZoneAlias", false)]
		public static string ZoneAlias { get; set; } = string.Empty;


		[FallbackPresenceFormatProvider("AreaSuffix", false)]
		public static string AreaSuffix { get; set; } = string.Empty;


		[FallbackPresenceFormatProvider("RundownTitleFromDataBlocks", false)]
		public static string RundownTitleFromDataBlocks { get; set; } = "Unknown";


		[PresenceFormatProvider("CurrentZoneShort")]
		public static string CurrentZoneShort => $"{PresenceFormatter.Get("ZonePrefix")}_{PresenceFormatter.Get("ZoneAlias")}";

		[PresenceFormatProvider("CurrentZoneLong")]
		public static string CurrentZoneLong => $"{PresenceFormatter.Get("ZonePrefixLong")} {PresenceFormatter.Get("ZoneAlias")}";

		[PresenceFormatProvider("CurrentArea")]
		public static string CurrentArea => $"Area {PresenceFormatter.Get("AreaSuffix")}";

		[PresenceFormatProvider("ExpeditionWithNumber")]
		public static string ExpeditionWithNumber => $"{PresenceFormatter.Get("ExpeditionTier")}{PresenceFormatter.Get("ExpeditionNumber")}";

		[PresenceFormatProvider("Expedition")]
		public static string Expedition
		{
			get
			{
				if (PresenceFormatter.Get<bool>("ExpeditionSkipExpNumberInName"))
				{
					return $"{PresenceFormatter.Get("ExpeditionTier")}";
				}
				return ExpeditionWithNumber ?? "";
			}
		}

		[PresenceFormatProvider("Rundown")]
		public static string Rundown
		{
			get
			{
				if (ArchiveMod.IsPlayingModded)
				{
					return "Mod";
				}
				if (ArchiveMod.IsOnALTBuild)
				{
					string text = PresenceFormatter.Get("ExpeditionTier").ToString();
					if (text.StartsWith("R7") || text.StartsWith("R8"))
					{
						return string.Empty;
					}
					return "Alt";
				}
				return $"R{RundownNumber}";
			}
		}

		[PresenceFormatProvider("RundownNumber")]
		public static int RundownNumber => (int)ArchiveMod.CurrentRundown;

		[PresenceFormatProvider("RundownName")]
		public static string RundownName => RundownTitle;

		[PresenceFormatProvider("RundownTitle")]
		public static string RundownTitle
		{
			get
			{
				//IL_0030: Unknown result type (might be due to invalid IL or missing references)
				if (ArchiveMod.IsPlayingModded || ArchiveMod.IsOnALTBuild)
				{
					return $"{PresenceFormatter.Get("RundownTitleFromDataBlocks")}";
				}
				return Utils.GetRundownTitle(ArchiveMod.CurrentRundown);
			}
		}

		[PresenceFormatProvider("RundownWithNumberOrModdedPrefix")]
		public static string RundownWithNumberOrModdedPrefix
		{
			get
			{
				if (ArchiveMod.IsPlayingModded)
				{
					return "Modded";
				}
				if (ArchiveMod.IsOnALTBuild)
				{
					return "GTFO";
				}
				return $"Rundown {PresenceFormatter.Get("RundownNumber")}";
			}
		}

		public static void UpdateGameState(PresenceGameState state, bool keepTimer = false)
		{
			//IL_001e: Unknown result type (might be due to invalid IL or missing references)
			//IL_0036: Unknown result type (might be due to invalid IL or missing references)
			//IL_005c: Unknown result type (might be due to invalid IL or missing references)
			//IL_0066: Unknown result type (might be due to invalid IL or missing references)
			Logger.Msg(ConsoleColor.DarkMagenta, $"GameState has been updated: {CurrentState} --> {state}, keepTimer: {keepTimer}");
			LastState = CurrentState;
			CurrentState = state;
			if (!keepTimer)
			{
				CurrentStateStartTime = DateTimeOffset.UtcNow;
			}
		}

		public static int GetPercentFromInts(string val, string max)
		{
			float val2 = PresenceFormatter.Get<int>(val);
			float max2 = PresenceFormatter.Get<int>(max);
			return GetPercent(val2, max2);
		}

		public static int GetPercentFromFloats(string val, string max)
		{
			float val2 = PresenceFormatter.Get<float>(val);
			float max2 = PresenceFormatter.Get<float>(max);
			return GetPercent(val2, max2);
		}

		public static int GetPercent(float val, float max)
		{
			return (int)Math.Round(val / max * 100f);
		}
	}
}