You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

476 lines
23 KiB

4 years ago
4 years ago
4 years ago
4 years ago
4 years ago
  1. using System;
  2. using System.Collections;
  3. using System.Collections.Generic;
  4. using System.IO;
  5. using System.Linq;
  6. using System.Reflection;
  7. using System.Runtime.InteropServices;
  8. using System.Text;
  9. using IPA.Config;
  10. using IPA.Old;
  11. using IPA.Utilities;
  12. using Mono.Cecil;
  13. using UnityEngine;
  14. using Logger = IPA.Logging.Logger;
  15. using System.Threading.Tasks;
  16. using IPA.Utilities.Async;
  17. #if NET4
  18. using TaskEx = System.Threading.Tasks.Task;
  19. using TaskEx6 = System.Threading.Tasks.Task;
  20. using Task = System.Threading.Tasks.Task;
  21. #endif
  22. #if NET3
  23. using Net3_Proxy;
  24. using Path = Net3_Proxy.Path;
  25. using File = Net3_Proxy.File;
  26. using Directory = Net3_Proxy.Directory;
  27. using Array = Net3_Proxy.Array;
  28. #endif
  29. namespace IPA.Loader
  30. {
  31. /// <summary>
  32. /// The manager class for all plugins.
  33. /// </summary>
  34. public static class PluginManager
  35. {
  36. #pragma warning disable CS0618 // Type or member is obsolete (IPlugin)
  37. private static List<PluginExecutor> _bsPlugins;
  38. internal static IEnumerable<PluginExecutor> BSMetas => _bsPlugins;
  39. /// <summary>
  40. /// Gets info about the enabled plugin with the specified name.
  41. /// </summary>
  42. /// <param name="name">the name of the plugin to get (must be an exact match)</param>
  43. /// <returns>the plugin metadata for the requested plugin or <see langword="null"/> if it doesn't exist or is disabled</returns>
  44. public static PluginMetadata GetPlugin(string name)
  45. => BSMetas.Select(p => p.Metadata).FirstOrDefault(p => p.Name == name);
  46. /// <summary>
  47. /// Gets info about the enabled plugin with the specified ID.
  48. /// </summary>
  49. /// <param name="name">the ID name of the plugin to get (must be an exact match)</param>
  50. /// <returns>the plugin metadata for the requested plugin or <see langword="null"/> if it doesn't exist or is disabled</returns>
  51. public static PluginMetadata GetPluginFromId(string name)
  52. => BSMetas.Select(p => p.Metadata).FirstOrDefault(p => p.Id == name);
  53. /// <summary>
  54. /// Gets a disabled plugin's metadata by its name.
  55. /// </summary>
  56. /// <param name="name">the name of the disabled plugin to get</param>
  57. /// <returns>the metadata for the corresponding plugin</returns>
  58. public static PluginMetadata GetDisabledPlugin(string name) =>
  59. DisabledPlugins.FirstOrDefault(p => p.Name == name);
  60. /// <summary>
  61. /// Gets a disabled plugin's metadata by its ID.
  62. /// </summary>
  63. /// <param name="name">the ID of the disabled plugin to get</param>
  64. /// <returns>the metadata for the corresponding plugin</returns>
  65. public static PluginMetadata GetDisabledPluginFromId(string name) =>
  66. DisabledPlugins.FirstOrDefault(p => p.Id == name);
  67. /// <summary>
  68. /// Creates a new transaction for mod enabling and disabling mods simultaneously.
  69. /// </summary>
  70. /// <returns>a new <see cref="StateTransitionTransaction"/> that captures the current state of loaded mods</returns>
  71. public static StateTransitionTransaction PluginStateTransaction()
  72. => new StateTransitionTransaction(EnabledPlugins, DisabledPlugins);
  73. private static readonly object commitTransactionLockObject = new object();
  74. internal static Task CommitTransaction(StateTransitionTransaction transaction)
  75. {
  76. if (!transaction.HasStateChanged) return TaskEx.WhenAll();
  77. if (!UnityGame.OnMainThread)
  78. {
  79. var transactionCopy = transaction.Clone();
  80. transaction.Dispose();
  81. return UnityMainThreadTaskScheduler.Factory.StartNew(() => CommitTransaction(transactionCopy)).Unwrap();
  82. }
  83. lock (commitTransactionLockObject)
  84. {
  85. if (transaction.CurrentlyEnabled.Except(EnabledPlugins)
  86. .Concat(EnabledPlugins.Except(transaction.CurrentlyEnabled)).Any()
  87. || transaction.CurrentlyDisabled.Except(DisabledPlugins)
  88. .Concat(DisabledPlugins.Except(transaction.CurrentlyDisabled)).Any())
  89. { // ensure that the transaction's base state reflects the current state, otherwise throw
  90. transaction.Dispose();
  91. throw new InvalidOperationException("Transaction no longer resembles the current state of plugins");
  92. }
  93. var toEnable = transaction.ToEnable;
  94. var toDisable = transaction.ToDisable;
  95. transaction.Dispose();
  96. using var disabledChangeTransaction = DisabledConfig.Instance.ChangeTransaction();
  97. {
  98. // first enable the mods that need to be
  99. void DeTree(List<PluginMetadata> into, IEnumerable<PluginMetadata> tree)
  100. {
  101. foreach (var st in tree)
  102. if (toEnable.Contains(st) && !into.Contains(st))
  103. {
  104. DeTree(into, st.Dependencies);
  105. into.Add(st);
  106. }
  107. }
  108. var enableOrder = new List<PluginMetadata>();
  109. DeTree(enableOrder, toEnable);
  110. foreach (var meta in enableOrder)
  111. {
  112. var executor = runtimeDisabledPlugins.FirstOrDefault(e => e.Metadata == meta);
  113. if (meta.RuntimeOptions == RuntimeOptions.DynamicInit)
  114. {
  115. if (executor != null)
  116. runtimeDisabledPlugins.Remove(executor);
  117. else
  118. executor = PluginLoader.InitPlugin(meta, EnabledPlugins);
  119. if (executor == null) continue; // couldn't initialize, skip to next
  120. }
  121. PluginLoader.DisabledPlugins.Remove(meta);
  122. DisabledConfig.Instance.DisabledModIds.Remove(meta.Id ?? meta.Name);
  123. PluginEnabled?.Invoke(meta, meta.RuntimeOptions != RuntimeOptions.DynamicInit);
  124. if (meta.RuntimeOptions == RuntimeOptions.DynamicInit)
  125. {
  126. _bsPlugins.Add(executor);
  127. try
  128. {
  129. executor.Enable();
  130. }
  131. catch (Exception e)
  132. {
  133. Logger.loader.Error($"Error while enabling {meta.Id}:");
  134. Logger.loader.Error(e);
  135. // this should still be considered enabled, hence its position
  136. }
  137. }
  138. }
  139. }
  140. var result = TaskEx.WhenAll();
  141. if (toDisable.Any())
  142. {
  143. // then disable the mods that need to be
  144. static DisableExecutor MakeDisableExec(PluginExecutor e)
  145. => new DisableExecutor
  146. {
  147. Executor = e,
  148. Dependents = BSMetas.Where(f => f.Metadata.Dependencies.Contains(e.Metadata)).Select(MakeDisableExec)
  149. };
  150. var disableExecs = toDisable.Select(m => BSMetas.FirstOrDefault(e => e.Metadata == m)).NonNull().ToArray(); // eagerly evaluate once
  151. foreach (var exec in disableExecs)
  152. {
  153. PluginLoader.DisabledPlugins.Add(exec.Metadata);
  154. DisabledConfig.Instance.DisabledModIds.Add(exec.Metadata.Id ?? exec.Metadata.Name);
  155. if (exec.Metadata.RuntimeOptions == RuntimeOptions.DynamicInit)
  156. {
  157. runtimeDisabledPlugins.Add(exec);
  158. _bsPlugins.Remove(exec);
  159. }
  160. PluginDisabled?.Invoke(exec.Metadata, exec.Metadata.RuntimeOptions != RuntimeOptions.DynamicInit);
  161. }
  162. var disableStructure = disableExecs.Select(MakeDisableExec);
  163. static Task Disable(DisableExecutor exec, Dictionary<PluginExecutor, Task> alreadyDisabled)
  164. {
  165. if (alreadyDisabled.TryGetValue(exec.Executor, out var task))
  166. return task;
  167. else
  168. {
  169. if (exec.Executor.Metadata.RuntimeOptions != RuntimeOptions.DynamicInit)
  170. return TaskEx6.FromException(new CannotRuntimeDisableException(exec.Executor.Metadata));
  171. var res = TaskEx.WhenAll(exec.Dependents.Select(d => Disable(d, alreadyDisabled)))
  172. .ContinueWith(t => t.IsFaulted
  173. ? TaskEx.WhenAll(t, TaskEx6.FromException(
  174. new CannotRuntimeDisableException(exec.Executor.Metadata, "Dependents cannot be disabled for plugin")))
  175. : exec.Executor.Disable(), UnityMainThreadTaskScheduler.Default).Unwrap();
  176. // We do not want to call the disable method if a dependent couldn't be disabled
  177. // By scheduling on a UnityMainThreadScheduler, we ensure that Disable() is always called on the Unity main thread
  178. alreadyDisabled.Add(exec.Executor, res);
  179. return res;
  180. }
  181. }
  182. var disabled = new Dictionary<PluginExecutor, Task>();
  183. result = TaskEx.WhenAll(disableStructure.Select(d => Disable(d, disabled)));
  184. OnPluginsDisabled?.Invoke(result);
  185. }
  186. //DisabledConfig.Instance.Changed();
  187. // changed is handled by transaction
  188. return result;
  189. }
  190. }
  191. private struct DisableExecutor
  192. {
  193. public PluginExecutor Executor;
  194. public IEnumerable<DisableExecutor> Dependents;
  195. }
  196. /// <summary>
  197. /// Checks if a given plugin is disabled.
  198. /// </summary>
  199. /// <param name="meta">the plugin to check</param>
  200. /// <returns><see langword="true"/> if the plugin is disabled, <see langword="false"/> otherwise.</returns>
  201. public static bool IsDisabled(PluginMetadata meta) => DisabledPlugins.Contains(meta);
  202. /// <summary>
  203. /// Checks if a given plugin is enabled.
  204. /// </summary>
  205. /// <param name="meta">the plugin to check</param>
  206. /// <returns><see langword="true"/> if the plugin is enabled, <see langword="false"/> otherwise.</returns>
  207. public static bool IsEnabled(PluginMetadata meta) => BSMetas.Any(p => p.Metadata == meta);
  208. /// <summary>
  209. /// An invoker for the <see cref="PluginEnabled"/> event.
  210. /// </summary>
  211. /// <param name="plugin">the plugin that was enabled</param>
  212. /// <param name="needsRestart">whether it needs a restart to take effect</param>
  213. public delegate void PluginEnableDelegate(PluginMetadata plugin, bool needsRestart);
  214. /// <summary>
  215. /// An invoker for the <see cref="PluginDisabled"/> event.
  216. /// </summary>
  217. /// <param name="plugin">the plugin that was disabled</param>
  218. /// <param name="needsRestart">whether it needs a restart to take effect</param>
  219. public delegate void PluginDisableDelegate(PluginMetadata plugin, bool needsRestart);
  220. /// <summary>
  221. /// Called whenever a plugin is enabled.
  222. /// </summary>
  223. public static event PluginEnableDelegate PluginEnabled;
  224. /// <summary>
  225. /// Called whenever a plugin is disabled.
  226. /// </summary>
  227. public static event PluginDisableDelegate PluginDisabled;
  228. /// <summary>
  229. /// Called whenever any plugins are disabled with the <see cref="Task"/> representing them being disabled.
  230. /// </summary>
  231. /// <remarks>
  232. /// Note that this is called on the Unity main thread, and cannot therefore block, as the <see cref="Task"/>
  233. /// provided represents operations that also run on the Unity main thread.
  234. /// </remarks>
  235. public static event Action<Task> OnPluginsDisabled;
  236. /// <summary>
  237. /// Gets a list of all enabled BSIPA plugins. Use <see cref="EnabledPlugins"/> instead of this.
  238. /// </summary>
  239. /// <value>a collection of all enabled plugins as <see cref="PluginMetadata"/>s</value>
  240. [Obsolete("This is an old name that no longer accurately represents its value. Use EnabledPlugins instead.")]
  241. public static IEnumerable<PluginMetadata> AllPlugins => EnabledPlugins;
  242. /// <summary>
  243. /// Gets a collection of all enabled plugins, as represented by <see cref="PluginMetadata"/>.
  244. /// </summary>
  245. /// <value>a collection of all enabled plugins</value>
  246. public static IEnumerable<PluginMetadata> EnabledPlugins => BSMetas.Select(p => p.Metadata);
  247. /// <summary>
  248. /// Gets a list of disabled BSIPA plugins.
  249. /// </summary>
  250. /// <value>a collection of all disabled plugins as <see cref="PluginMetadata"/></value>
  251. public static IEnumerable<PluginMetadata> DisabledPlugins => PluginLoader.DisabledPlugins;
  252. private static readonly HashSet<PluginExecutor> runtimeDisabledPlugins = new HashSet<PluginExecutor>();
  253. /// <summary>
  254. /// An <see cref="IEnumerable{T}"/> of old IPA plugins.
  255. /// </summary>
  256. /// <value>all legacy plugin instances</value>
  257. [Obsolete("This exists only to provide support for legacy IPA plugins based on the IPlugin interface.")]
  258. public static IEnumerable<Old.IPlugin> Plugins => _ipaPlugins;
  259. private static List<Old.IPlugin> _ipaPlugins;
  260. internal static IConfigProvider SelfConfigProvider { get; set; }
  261. internal static void Load()
  262. {
  263. string pluginDirectory = UnityGame.PluginsPath;
  264. // Process.GetCurrentProcess().MainModule crashes the game and Assembly.GetEntryAssembly() is NULL,
  265. // so we need to resort to P/Invoke
  266. string exeName = Path.GetFileNameWithoutExtension(AppInfo.StartupPath);
  267. _bsPlugins = new List<PluginExecutor>();
  268. _ipaPlugins = new List<Old.IPlugin>();
  269. if (!Directory.Exists(pluginDirectory)) return;
  270. string cacheDir = Path.Combine(pluginDirectory, ".cache");
  271. if (!Directory.Exists(cacheDir))
  272. {
  273. Directory.CreateDirectory(cacheDir);
  274. }
  275. else
  276. {
  277. foreach (string plugin in Directory.GetFiles(cacheDir, "*"))
  278. File.Delete(plugin);
  279. }
  280. // initialize BSIPA plugins first
  281. _bsPlugins.AddRange(PluginLoader.LoadPlugins());
  282. var metadataPaths = PluginLoader.PluginsMetadata.Select(m => m.File.FullName).ToList();
  283. var ignoredPaths = PluginLoader.ignoredPlugins.Select(m => m.Key.File.FullName)
  284. .Concat(PluginLoader.ignoredPlugins.SelectMany(m => m.Key.AssociatedFiles.Select(f => f.FullName))).ToList();
  285. var disabledPaths = DisabledPlugins.Select(m => m.File.FullName).ToList();
  286. //Copy plugins to .cache
  287. string[] originalPlugins = Directory.GetFiles(pluginDirectory, "*.dll");
  288. foreach (string s in originalPlugins)
  289. {
  290. if (metadataPaths.Contains(s)) continue;
  291. if (ignoredPaths.Contains(s)) continue;
  292. if (disabledPaths.Contains(s)) continue;
  293. string pluginCopy = Path.Combine(cacheDir, Path.GetFileName(s));
  294. #region Fix assemblies for refactor
  295. var module = ModuleDefinition.ReadModule(Path.Combine(pluginDirectory, s));
  296. foreach (var @ref in module.AssemblyReferences)
  297. { // fix assembly references
  298. if (@ref.Name == "IllusionPlugin" || @ref.Name == "IllusionInjector")
  299. {
  300. @ref.Name = "IPA.Loader";
  301. }
  302. }
  303. foreach (var @ref in module.GetTypeReferences())
  304. { // fix type references
  305. if (@ref.FullName == "IllusionPlugin.IPlugin") @ref.Namespace = "IPA.Old"; //@ref.Name = "";
  306. if (@ref.FullName == "IllusionPlugin.IEnhancedPlugin") @ref.Namespace = "IPA.Old"; //@ref.Name = "";
  307. if (@ref.FullName == "IllusionPlugin.IniFile") @ref.Namespace = "IPA.Config"; //@ref.Name = "";
  308. if (@ref.FullName == "IllusionPlugin.IModPrefs") @ref.Namespace = "IPA.Config"; //@ref.Name = "";
  309. if (@ref.FullName == "IllusionPlugin.ModPrefs") @ref.Namespace = "IPA.Config"; //@ref.Name = "";
  310. if (@ref.FullName == "IllusionPlugin.Utils.ReflectionUtil") @ref.Namespace = "IPA.Utilities"; //@ref.Name = "";
  311. if (@ref.FullName == "IllusionPlugin.Logging.Logger") @ref.Namespace = "IPA.Logging"; //@ref.Name = "";
  312. if (@ref.FullName == "IllusionPlugin.Logging.LogPrinter") @ref.Namespace = "IPA.Logging"; //@ref.Name = "";
  313. if (@ref.FullName == "IllusionInjector.PluginManager") @ref.Namespace = "IPA.Loader"; //@ref.Name = "";
  314. if (@ref.FullName == "IllusionInjector.PluginComponent") @ref.Namespace = "IPA.Loader"; //@ref.Name = "";
  315. if (@ref.FullName == "IllusionInjector.CompositeBSPlugin") @ref.Namespace = "IPA.Loader.Composite"; //@ref.Name = "";
  316. if (@ref.FullName == "IllusionInjector.CompositeIPAPlugin") @ref.Namespace = "IPA.Loader.Composite"; //@ref.Name = "";
  317. if (@ref.FullName == "IllusionInjector.Logging.UnityLogInterceptor") @ref.Namespace = "IPA.Logging"; //@ref.Name = "";
  318. if (@ref.FullName == "IllusionInjector.Logging.StandardLogger") @ref.Namespace = "IPA.Logging"; //@ref.Name = "";
  319. if (@ref.FullName == "IllusionInjector.Updating.SelfPlugin") @ref.Namespace = "IPA.Updating"; //@ref.Name = "";
  320. if (@ref.FullName == "IllusionInjector.Updating.Backup.BackupUnit") @ref.Namespace = "IPA.Updating.Backup"; //@ref.Name = "";
  321. if (@ref.Namespace == "IllusionInjector.Utilities") @ref.Namespace = "IPA.Utilities"; //@ref.Name = "";
  322. if (@ref.Namespace == "IllusionInjector.Logging.Printers") @ref.Namespace = "IPA.Logging.Printers"; //@ref.Name = "";
  323. }
  324. module.Write(pluginCopy);
  325. #endregion
  326. }
  327. //Load copied plugins
  328. string[] copiedPlugins = Directory.GetFiles(cacheDir, "*.dll");
  329. foreach (string s in copiedPlugins)
  330. {
  331. var result = LoadPluginsFromFile(s);
  332. if (result == null) continue;
  333. _ipaPlugins.AddRange(result.NonNull());
  334. }
  335. Logger.log.Info(exeName);
  336. Logger.log.Info($"Running on Unity {Application.unityVersion}");
  337. Logger.log.Info($"Game version {UnityGame.GameVersion}");
  338. Logger.log.Info("-----------------------------");
  339. Logger.log.Info($"Loading plugins from {Utils.GetRelativePath(pluginDirectory, Environment.CurrentDirectory)} and found {_bsPlugins.Count + _ipaPlugins.Count}");
  340. Logger.log.Info("-----------------------------");
  341. foreach (var plugin in _bsPlugins)
  342. {
  343. Logger.log.Info($"{plugin.Metadata.Name} ({plugin.Metadata.Id}): {plugin.Metadata.Version}");
  344. }
  345. Logger.log.Info("-----------------------------");
  346. foreach (var plugin in _ipaPlugins)
  347. {
  348. Logger.log.Info($"{plugin.Name}: {plugin.Version}");
  349. }
  350. Logger.log.Info("-----------------------------");
  351. }
  352. private static IEnumerable<Old.IPlugin> LoadPluginsFromFile(string file)
  353. {
  354. var ipaPlugins = new List<Old.IPlugin>();
  355. if (!File.Exists(file) || !file.EndsWith(".dll", true, null))
  356. return ipaPlugins;
  357. T OptionalGetPlugin<T>(Type t) where T : class
  358. {
  359. if (t.FindInterfaces((t, o) => t == (o as Type), typeof(T)).Length > 0)
  360. {
  361. try
  362. {
  363. T pluginInstance = Activator.CreateInstance(t) as T;
  364. return pluginInstance;
  365. }
  366. catch (Exception e)
  367. {
  368. Logger.loader.Error($"Could not load plugin {t.FullName} in {Path.GetFileName(file)}! {e}");
  369. }
  370. }
  371. return null;
  372. }
  373. try
  374. {
  375. Assembly assembly = Assembly.LoadFrom(file);
  376. foreach (Type t in assembly.GetTypes())
  377. {
  378. var ipaPlugin = OptionalGetPlugin<Old.IPlugin>(t);
  379. if (ipaPlugin != null)
  380. {
  381. ipaPlugins.Add(ipaPlugin);
  382. }
  383. }
  384. }
  385. catch (ReflectionTypeLoadException e)
  386. {
  387. Logger.loader.Error($"Could not load the following types from {Path.GetFileName(file)}:");
  388. Logger.loader.Error($" {string.Join("\n ", e.LoaderExceptions?.Select(e1 => e1?.Message).StrJP() ?? Array.Empty<string>())}");
  389. }
  390. catch (Exception e)
  391. {
  392. Logger.loader.Error($"Could not load {Path.GetFileName(file)}!");
  393. Logger.loader.Error(e);
  394. }
  395. return ipaPlugins;
  396. }
  397. internal static class AppInfo
  398. {
  399. [DllImport("kernel32.dll", CharSet = CharSet.Unicode, ExactSpelling = false)]
  400. private static extern int GetModuleFileName(HandleRef hModule, StringBuilder buffer, int length);
  401. private static HandleRef NullHandleRef = new HandleRef(null, IntPtr.Zero);
  402. public static string StartupPath
  403. {
  404. get
  405. {
  406. StringBuilder stringBuilder = new StringBuilder(260);
  407. GetModuleFileName(NullHandleRef, stringBuilder, stringBuilder.Capacity);
  408. return stringBuilder.ToString();
  409. }
  410. }
  411. }
  412. #pragma warning restore CS0618 // Type or member is obsolete (IPlugin)
  413. }
  414. }