//------------------------------------------------------------------------------
//
// This code was generated by a tool.
// Version: 2.0.4.2575
//
// Changes to this file may cause incorrect behavior and will be lost if
// the code is regenerated.
//
//------------------------------------------------------------------------------
using Application = UnityEngine.Application;
using Debug = UnityEngine.Debug;
using System.Collections.Generic;
using System.Diagnostics;
using System.IO;
using System.Linq;
using System.Net;
using System.Runtime.CompilerServices;
using System.Runtime.InteropServices;
using System.Text.RegularExpressions;
using System.Text;
using System.Xml.Linq;
using System;
using UnityEditor;
using UnityEngine;
namespace Plugins.Editor.JetBrains
{
public class RiderAssetPostprocessor : AssetPostprocessor
{
public static void OnGeneratedCSProjectFiles()
{
if (!RiderPlugin.Enabled)
return;
var currentDirectory = Directory.GetCurrentDirectory();
var projectFiles = Directory.GetFiles(currentDirectory, "*.csproj");
foreach (var file in projectFiles)
{
UpgradeProjectFile(file);
}
var slnFile = Directory.GetFiles(currentDirectory, "*.sln").First();
RiderPlugin.Log(RiderPlugin.LoggingLevel.Verbose, string.Format("Post-processing {0}", slnFile));
string content = File.ReadAllText(slnFile);
var lines = content.Split(new[] {Environment.NewLine}, StringSplitOptions.RemoveEmptyEntries);
var sb = new StringBuilder();
foreach (var line in lines)
{
if (line.StartsWith("Project("))
{
MatchCollection mc = Regex.Matches(line, "\"([^\"]*)\"");
//RiderPlugin.Log(RiderPlugin.LoggingLevel.Info, "mc[1]: "+mc[1].Value);
//RiderPlugin.Log(RiderPlugin.LoggingLevel.Info, "mc[2]: "+mc[2].Value);
var to = GetFileNameWithoutExtension(mc[2].Value.Substring(1, mc[2].Value.Length-1)); // remove quotes
//RiderPlugin.Log(RiderPlugin.LoggingLevel.Info, "to:" + to);
//RiderPlugin.Log(RiderPlugin.LoggingLevel.Info, line);
var newLine = line.Substring(0, mc[1].Index + 1) + to + line.Substring(mc[1].Index + mc[1].Value.Length - 1);
sb.Append(newLine);
//RiderPlugin.Log(RiderPlugin.LoggingLevel.Info, newLine);
}
else
{
sb.Append(line);
}
sb.Append(Environment.NewLine);
}
File.WriteAllText(slnFile, sb.ToString());
}
private static string GetFileNameWithoutExtension(string path)
{
if (string.IsNullOrEmpty(path))
return null;
int length;
return (length = path.LastIndexOf('.')) == -1 ? path : path.Substring(0, length);
}
private static void UpgradeProjectFile(string projectFile)
{
RiderPlugin.Log(RiderPlugin.LoggingLevel.Verbose, string.Format("Post-processing {0}", projectFile));
var doc = XDocument.Load(projectFile);
var projectContentElement = doc.Root;
XNamespace xmlns = projectContentElement.Name.NamespaceName; // do not use var
FixTargetFrameworkVersion(projectContentElement, xmlns);
FixSystemXml(projectContentElement, xmlns);
SetLangVersion(projectContentElement, xmlns);
// Unity_5_6_OR_NEWER switched to nunit 3.5
// Fix helps only for Windows, on mac and linux I get https://youtrack.jetbrains.com/issue/RSRP-459932
#if UNITY_5_6_OR_NEWER && UNITY_STANDALONE_WIN
ChangeNunitReference(new FileInfo(projectFile).DirectoryName, projectContentElement, xmlns);
#endif
#if !UNITY_2017_1_OR_NEWER // Unity 2017.1 and later has this features by itself
SetManuallyDefinedComilingSettings(projectFile, projectContentElement, xmlns);
SetXCodeDllReference("UnityEditor.iOS.Extensions.Xcode.dll", xmlns, projectContentElement);
SetXCodeDllReference("UnityEditor.iOS.Extensions.Common.dll", xmlns, projectContentElement);
#endif
doc.Save(projectFile);
}
private static void FixSystemXml(XElement projectContentElement, XNamespace xmlns)
{
var el = projectContentElement
.Elements(xmlns+"ItemGroup")
.Elements(xmlns+"Reference")
.FirstOrDefault(a => a.Attribute("Include").Value=="System.XML");
if (el != null)
{
el.Attribute("Include").Value = "System.Xml";
}
}
private static void ChangeNunitReference(string baseDir, XElement projectContentElement, XNamespace xmlns)
{
var el = projectContentElement
.Elements(xmlns+"ItemGroup")
.Elements(xmlns+"Reference")
.FirstOrDefault(a => a.Attribute("Include").Value=="nunit.framework");
if (el != null)
{
var hintPath = el.Elements(xmlns + "HintPath").FirstOrDefault();
if (hintPath != null)
{
string unityAppBaseFolder = Path.GetDirectoryName(EditorApplication.applicationPath);
var path = Path.Combine(unityAppBaseFolder, "Data/Managed/nunit.framework.dll");
if (new FileInfo(path).Exists)
hintPath.Value = path;
}
}
}
#if !UNITY_2017_1_OR_NEWER // Unity 2017.1 and later has this features by itself
private const string UNITY_PLAYER_PROJECT_NAME = "Assembly-CSharp.csproj";
private const string UNITY_EDITOR_PROJECT_NAME = "Assembly-CSharp-Editor.csproj";
private const string UNITY_UNSAFE_KEYWORD = "-unsafe";
private const string UNITY_DEFINE_KEYWORD = "-define:";
private const string PLAYER_PROJECT_MANUAL_CONFIG_RELATIVE_FILE_PATH = "smcs.rsp";
private static readonly string PLAYER_PROJECT_MANUAL_CONFIG_ABSOLUTE_FILE_PATH = Path.Combine(UnityEngine.Application.dataPath, PLAYER_PROJECT_MANUAL_CONFIG_RELATIVE_FILE_PATH);
private const string EDITOR_PROJECT_MANUAL_CONFIG_RELATIVE_FILE_PATH = "gmcs.rsp";
private static readonly string EDITOR_PROJECT_MANUAL_CONFIG_ABSOLUTE_FILE_PATH = Path.Combine(UnityEngine.Application.dataPath, EDITOR_PROJECT_MANUAL_CONFIG_RELATIVE_FILE_PATH);
private static void SetManuallyDefinedComilingSettings(string projectFile, XElement projectContentElement, XNamespace xmlns)
{
string configPath;
if (IsPlayerProjectFile(projectFile))
configPath = PLAYER_PROJECT_MANUAL_CONFIG_ABSOLUTE_FILE_PATH;
else if (IsEditorProjectFile(projectFile))
configPath = EDITOR_PROJECT_MANUAL_CONFIG_ABSOLUTE_FILE_PATH;
else
configPath = null;
if(!string.IsNullOrEmpty(configPath))
ApplyManualCompilingSettings(configPath
, projectContentElement
, xmlns);
}
private static void ApplyManualCompilingSettings(string configFilePath, XElement projectContentElement, XNamespace xmlns)
{
if (File.Exists(configFilePath))
{
var configText = File.ReadAllText(configFilePath);
if (configText.Contains(UNITY_UNSAFE_KEYWORD))
{
// Add AllowUnsafeBlocks to the .csproj. Unity doesn't generate it (although VSTU does).
// Strictly necessary to compile unsafe code
ApplyAllowUnsafeBlocks(projectContentElement, xmlns);
}
if (configText.Contains(UNITY_DEFINE_KEYWORD))
{
// defines could be
// 1) -define:DEFINE1,DEFINE2
// 2) -define:DEFINE1;DEFINE2
// 3) -define:DEFINE1 -define:DEFINE2
// 4) -define:DEFINE1,DEFINE2;DEFINE3
// tested on "-define:DEF1;DEF2 -define:DEF3,DEF4;DEFFFF \n -define:DEF5"
// result: DEF1, DEF2, DEF3, DEF4, DEFFFF, DEF5
var definesList = new List();
var compileFlags = configText.Split(' ', '\n');
foreach (var flag in compileFlags)
{
var f = flag.Trim();
if (f.Contains(UNITY_DEFINE_KEYWORD))
{
var defineEndPos = f.IndexOf(UNITY_DEFINE_KEYWORD) + UNITY_DEFINE_KEYWORD.Length;
var definesSubString = f.Substring(defineEndPos,f.Length - defineEndPos);
definesSubString = definesSubString.Replace(";", ",");
definesList.AddRange(definesSubString.Split(','));
}
}
ApplyCustomDefines(definesList.ToArray(), projectContentElement, xmlns);
}
}
}
private static void ApplyCustomDefines(string[] customDefines, XElement projectContentElement, XNamespace xmlns)
{
var definesString = string.Join(";", customDefines);
var DefineConstants = projectContentElement
.Elements(xmlns+"PropertyGroup")
.Elements(xmlns+"DefineConstants")
.FirstOrDefault(definesConsts=> !string.IsNullOrEmpty(definesConsts.Value));
if (DefineConstants != null)
{
DefineConstants.SetValue(DefineConstants.Value + ";" + definesString);
}
}
private static void ApplyAllowUnsafeBlocks(XElement projectContentElement, XNamespace xmlns)
{
projectContentElement.AddFirst(
new XElement(xmlns + "PropertyGroup", new XElement(xmlns + "AllowUnsafeBlocks", true)));
}
private static bool IsPlayerProjectFile(string projectFile)
{
return Path.GetFileName(projectFile) == UNITY_PLAYER_PROJECT_NAME;
}
private static bool IsEditorProjectFile(string projectFile)
{
return Path.GetFileName(projectFile) == UNITY_EDITOR_PROJECT_NAME;
}
private static void SetXCodeDllReference(string name, XNamespace xmlns, XElement projectContentElement)
{
string unityAppBaseFolder = Path.GetDirectoryName(EditorApplication.applicationPath);
var xcodeDllPath = Path.Combine(unityAppBaseFolder, Path.Combine("Data/PlaybackEngines/iOSSupport", name));
if (!File.Exists(xcodeDllPath))
xcodeDllPath = Path.Combine(unityAppBaseFolder, Path.Combine("PlaybackEngines/iOSSupport", name));
if (File.Exists(xcodeDllPath))
{
var itemGroup = new XElement(xmlns + "ItemGroup");
var reference = new XElement(xmlns + "Reference");
reference.Add(new XAttribute("Include", Path.GetFileNameWithoutExtension(xcodeDllPath)));
reference.Add(new XElement(xmlns + "HintPath", xcodeDllPath));
itemGroup.Add(reference);
projectContentElement.Add(itemGroup);
}
}
#endif
// Helps resolve System.Linq under mono 4 - RIDER-573
private static void FixTargetFrameworkVersion(XElement projectElement, XNamespace xmlns)
{
var targetFrameworkVersion = projectElement.Elements(xmlns + "PropertyGroup")
.Elements(xmlns + "TargetFrameworkVersion")
.FirstOrDefault(); // Processing csproj files, which are not Unity-generated #56
if (targetFrameworkVersion != null)
{
targetFrameworkVersion.SetValue("v"+RiderPlugin.TargetFrameworkVersion);
}
}
private static void SetLangVersion(XElement projectElement, XNamespace xmlns)
{
// Add LangVersion to the .csproj. Unity doesn't generate it (although VSTU does).
// Not strictly necessary, as the Unity plugin for Rider will work it out, but setting
// it makes Rider work if it's not installed.
var langVersion = projectElement.Elements(xmlns + "PropertyGroup").Elements(xmlns + "LangVersion")
.FirstOrDefault(); // Processing csproj files, which are not Unity-generated #56
if (langVersion != null)
{
langVersion.SetValue(GetLanguageLevel());
}
else
{
projectElement.AddFirst(new XElement(xmlns + "PropertyGroup",
new XElement(xmlns + "LangVersion", GetLanguageLevel())));
}
}
private static string GetLanguageLevel()
{
// https://bitbucket.org/alexzzzz/unity-c-5.0-and-6.0-integration/src
if (Directory.Exists(Path.Combine(Directory.GetCurrentDirectory(), "CSharp70Support")))
return "7";
if (Directory.Exists(Path.Combine(Directory.GetCurrentDirectory(), "CSharp60Support")))
return "6";
// Unity 5.5 supports C# 6, but only when targeting .NET 4.6. The enum doesn't exist pre Unity 5.5
#if !UNITY_5_6_OR_NEWER
if ((int)PlayerSettings.apiCompatibilityLevel >= 3)
#else
if ((int) PlayerSettings.GetApiCompatibilityLevel(EditorUserBuildSettings.selectedBuildTargetGroup) >= 3)
#endif
return "6";
return "4";
}
}
}
namespace Plugins.Editor.JetBrains
{
[InitializeOnLoad]
public static class RiderPlugin
{
private static bool Initialized;
private static string SlnFile;
public static void Log(LoggingLevel level, string initialText)
{
if (level < SelectedLoggingLevel) return;
var text = "[Rider] [" + level + "] " + initialText;
switch (level)
{
case LoggingLevel.Warning:
Debug.LogWarning(text);
break;
default:
Debug.Log(text);
break;
}
}
private static string GetDefaultApp()
{
var alreadySetPath = GetExternalScriptEditor();
if (!string.IsNullOrEmpty(alreadySetPath) && RiderPathExist(alreadySetPath))
return alreadySetPath;
return RiderPath;
}
private static string[] GetAllRiderPaths()
{
switch (SystemInfoRiderPlugin.operatingSystemFamily)
{
case OperatingSystemFamily.Windows:
string[] folders =
{
@"C:\ProgramData\Microsoft\Windows\Start Menu\Programs\JetBrains", Path.Combine(
Environment.GetFolderPath(Environment.SpecialFolder.ApplicationData),
@"Microsoft\Windows\Start Menu\Programs\JetBrains Toolbox")
};
var newPathLnks = folders.Select(b => new DirectoryInfo(b)).Where(a => a.Exists)
.SelectMany(c => c.GetFiles("*Rider*.lnk")).ToArray();
if (newPathLnks.Any())
{
var newPaths = newPathLnks
.Select(newPathLnk => new FileInfo(ShortcutResolver.Resolve(newPathLnk.FullName)))
.Where(fi => File.Exists(fi.FullName))
.ToArray()
.OrderByDescending(fi => FileVersionInfo.GetVersionInfo(fi.FullName).ProductVersion)
.Select(a => a.FullName).ToArray();
return newPaths;
}
break;
case OperatingSystemFamily.MacOSX:
// "/Applications/*Rider*.app"
//"~/Applications/JetBrains Toolbox/*Rider*.app"
string[] foldersMac =
{
"/Applications", Path.Combine(Environment.GetEnvironmentVariable("HOME"), "Applications/JetBrains Toolbox")
};
var newPathsMac = foldersMac.Select(b => new DirectoryInfo(b)).Where(a => a.Exists)
.SelectMany(c => c.GetDirectories("*Rider*.app"))
.Select(a => a.FullName).ToArray();
return newPathsMac;
}
return new string[0];
}
private static string TargetFrameworkVersionDefault
{
get
{
var defaultValue = "4.5";
if (SystemInfoRiderPlugin.operatingSystemFamily == OperatingSystemFamily.Windows)
{
var dir = new DirectoryInfo(@"C:\Program Files (x86)\Reference Assemblies\Microsoft\Framework\.NETFramework");
if (dir.Exists)
{
var availableVersions = dir.GetDirectories("v*").Select(a => a.Name.Substring(1))
.Where(v => TryCatch(v, s => { })).ToArray();
if (availableVersions.Any() && !availableVersions.Contains(defaultValue))
{
defaultValue = availableVersions.OrderBy(a => new Version(a)).Last();
}
}
}
return defaultValue;
}
}
public static string TargetFrameworkVersion
{
get
{
return EditorPrefs.GetString("Rider_TargetFrameworkVersion",
EditorPrefs.GetBool("Rider_TargetFrameworkVersion45", true) ? TargetFrameworkVersionDefault : "3.5");
}
set
{
TryCatch(value, val =>
{
EditorPrefs.SetString("Rider_TargetFrameworkVersion", val);
});
}
}
private static bool TryCatch(string value, Action action)
{
try
{
new Version(value); // mono 2.6 doesn't support Version.TryParse
action(value);
return true;
}
catch (ArgumentException)
{
} // can't put loggin here because ot fire on every symbol
catch (FormatException)
{
}
return false;
}
public static string RiderPath
{
get { return EditorPrefs.GetString("Rider_RiderPath", GetAllRiderPaths().FirstOrDefault()); }
set { EditorPrefs.SetString("Rider_RiderPath", value); }
}
public enum LoggingLevel
{
Verbose = 0,
Info = 1,
Warning = 2
}
public static LoggingLevel SelectedLoggingLevel
{
get { return (LoggingLevel) EditorPrefs.GetInt("Rider_SelectedLoggingLevel", 1); }
set { EditorPrefs.SetInt("Rider_SelectedLoggingLevel", (int) value); }
}
public static bool RiderInitializedOnce
{
get { return EditorPrefs.GetBool("RiderInitializedOnce", false); }
set { EditorPrefs.SetBool("RiderInitializedOnce", value); }
}
internal static bool Enabled
{
get
{
var defaultApp = GetExternalScriptEditor();
return !string.IsNullOrEmpty(defaultApp) && Path.GetFileName(defaultApp).ToLower().Contains("rider");
}
}
static RiderPlugin()
{
var riderPath = GetDefaultApp();
if (!RiderPathExist(riderPath))
return;
AddRiderToRecentlyUsedScriptApp(riderPath, "RecentlyUsedScriptApp");
if (!RiderInitializedOnce)
{
SetExternalScriptEditor(riderPath);
RiderInitializedOnce = true;
}
if (Enabled)
{
InitRiderPlugin();
}
}
private static void InitRiderPlugin()
{
var projectDirectory = Directory.GetParent(Application.dataPath).FullName;
var projectName = Path.GetFileName(projectDirectory);
SlnFile = Path.Combine(projectDirectory, string.Format("{0}.sln", projectName));
InitializeEditorInstanceJson(projectDirectory);
Log(LoggingLevel.Info, "Rider plugin initialized. You may change the amount of Rider Debug output via Edit -> Preferences -> Rider -> Logging Level");
Initialized = true;
}
private static void AddRiderToRecentlyUsedScriptApp(string userAppPath, string recentAppsKey)
{
for (int index = 0; index < 10; ++index)
{
string path = EditorPrefs.GetString(recentAppsKey + (object) index);
if (File.Exists(path) && Path.GetFileName(path).ToLower().Contains("rider"))
return;
}
EditorPrefs.SetString(recentAppsKey + 9, userAppPath);
}
private static string GetExternalScriptEditor()
{
return EditorPrefs.GetString("kScriptsDefaultApp");
}
private static void SetExternalScriptEditor(string path)
{
EditorPrefs.SetString("kScriptsDefaultApp", path);
}
private static bool RiderPathExist(string path)
{
if (string.IsNullOrEmpty(path))
return false;
// windows or mac
var fileInfo = new FileInfo(path);
if (!fileInfo.Name.ToLower().Contains("rider"))
return false;
var directoryInfo = new DirectoryInfo(path);
return fileInfo.Exists || (SystemInfoRiderPlugin.operatingSystemFamily == OperatingSystemFamily.MacOSX &&
directoryInfo.Exists);
}
///
/// Creates and deletes Library/EditorInstance.json containing version and process ID
///
/// Path to the project root directory
private static void InitializeEditorInstanceJson(string projectDirectory)
{
// Only manage EditorInstance.json for 4.x and 5.x - it's a native feature for 2017.x
#if !UNITY_2017_1_OR_NEWER
Log(LoggingLevel.Verbose, "Writing Library/EditorInstance.json");
var library = Path.Combine(projectDirectory, "Library");
var editorInstanceJsonPath = Path.Combine(library, "EditorInstance.json");
File.WriteAllText(editorInstanceJsonPath, string.Format(@"{{
""process_id"": {0},
""version"": ""{1}""
}}", Process.GetCurrentProcess().Id, Application.unityVersion));
AppDomain.CurrentDomain.DomainUnload += (sender, args) =>
{
Log(LoggingLevel.Verbose, "Deleting Library/EditorInstance.json");
File.Delete(editorInstanceJsonPath);
};
#endif
}
///
/// Asset Open Callback (from Unity)
///
///
/// Called when Unity is about to open an asset.
///
[UnityEditor.Callbacks.OnOpenAssetAttribute()]
static bool OnOpenedAsset(int instanceID, int line)
{
if (Enabled)
{
if (!Initialized)
{
// make sure the plugin was initialized first.
// this can happen in case "Rider" was set as the default scripting app only after this plugin was imported.
InitRiderPlugin();
RiderAssetPostprocessor.OnGeneratedCSProjectFiles();
}
string appPath = Path.GetDirectoryName(Application.dataPath);
// determine asset that has been double clicked in the project view
var selected = EditorUtility.InstanceIDToObject(instanceID);
var assetFilePath = Path.Combine(appPath, AssetDatabase.GetAssetPath(selected));
if (!(selected.GetType().ToString() == "UnityEditor.MonoScript" ||
selected.GetType().ToString() == "UnityEngine.Shader" ||
(selected.GetType().ToString() == "UnityEngine.TextAsset" &&
#if UNITY_5 || UNITY_5_5_OR_NEWER
EditorSettings.projectGenerationUserExtensions.Contains(Path.GetExtension(assetFilePath).Substring(1))
#else
EditorSettings.externalVersionControl.Contains(Path.GetExtension(assetFilePath).Substring(1))
#endif
)))
return false;
SyncSolution(); // added to handle opening file, which was just recently created.
if (!DetectPortAndOpenFile(line, assetFilePath,
SystemInfoRiderPlugin.operatingSystemFamily == OperatingSystemFamily.Windows))
{
var args = string.Format("{0}{1}{0} --line {2} {0}{3}{0}", "\"", SlnFile, line, assetFilePath);
return CallRider(args);
}
return true;
}
return false;
}
private static bool DetectPortAndOpenFile(int line, string filePath, bool isWindows)
{
if (SystemInfoRiderPlugin.operatingSystemFamily == OperatingSystemFamily.Windows)
{
var process = GetRiderProcess();
if (process == null)
return false;
}
int[] ports = Enumerable.Range(63342, 20).ToArray();
var res = ports.Any(port =>
{
var aboutUrl = string.Format("http://localhost:{0}/api/about/", port);
var aboutUri = new Uri(aboutUrl);
using (var client = new WebClient())
{
client.Headers.Add("origin", string.Format("http://localhost:{0}", port));
client.Headers[HttpRequestHeader.ContentType] = "application/x-www-form-urlencoded";
try
{
var responce = CallHttpApi(aboutUri, client);
if (responce.ToLower().Contains("rider"))
{
return HttpOpenFile(line, filePath, isWindows, port, client);
}
}
catch (Exception e)
{
Log(LoggingLevel.Verbose, string.Format("Exception in DetectPortAndOpenFile: {0}", e));
}
}
return false;
});
return res;
}
private static bool HttpOpenFile(int line, string filePath, bool isWindows, int port, WebClient client)
{
var url = string.Format("http://localhost:{0}/api/file?file={1}{2}", port, filePath,
line < 0
? "&p=0"
: "&line=" + line); // &p is needed to workaround https://youtrack.jetbrains.com/issue/IDEA-172350
if (isWindows)
url = string.Format(@"http://localhost:{0}/api/file/{1}{2}", port, filePath, line < 0 ? "" : ":" + line);
var uri = new Uri(url);
Log(LoggingLevel.Verbose, string.Format("HttpRequestOpenFile({0})", uri.AbsoluteUri));
CallHttpApi(uri, client);
ActivateWindow();
return true;
}
private static string CallHttpApi(Uri uri, WebClient client)
{
var responseString = client.DownloadString(uri.AbsoluteUri);
Log(LoggingLevel.Verbose, string.Format("CallHttpApi {0} response: {1}", uri.AbsoluteUri, responseString));
return responseString;
}
private static bool CallRider(string args)
{
var defaultApp = GetDefaultApp();
if (!RiderPathExist(defaultApp))
{
return false;
}
var proc = new Process();
if (SystemInfoRiderPlugin.operatingSystemFamily == OperatingSystemFamily.MacOSX)
{
proc.StartInfo.FileName = "open";
proc.StartInfo.Arguments = string.Format("-n {0}{1}{0} --args {2}", "\"", "/" + defaultApp, args);
Log(LoggingLevel.Verbose, string.Format("{0} {1}", proc.StartInfo.FileName, proc.StartInfo.Arguments));
}
else
{
proc.StartInfo.FileName = defaultApp;
proc.StartInfo.Arguments = args;
Log(LoggingLevel.Verbose, string.Format("{2}{0}{2}" + " {1}", proc.StartInfo.FileName, proc.StartInfo.Arguments, "\""));
}
proc.StartInfo.UseShellExecute = false;
proc.StartInfo.WindowStyle = ProcessWindowStyle.Hidden;
proc.StartInfo.CreateNoWindow = true;
proc.StartInfo.RedirectStandardOutput = true;
proc.Start();
ActivateWindow();
return true;
}
private static void ActivateWindow()
{
if (SystemInfoRiderPlugin.operatingSystemFamily == OperatingSystemFamily.Windows)
{
try
{
var process = GetRiderProcess();
if (process != null)
{
// Collect top level windows
var topLevelWindows = User32Dll.GetTopLevelWindowHandles();
// Get process main window title
var windowHandle = topLevelWindows.FirstOrDefault(hwnd => User32Dll.GetWindowProcessId(hwnd) == process.Id);
Log(LoggingLevel.Info, string.Format("ActivateWindow: {0} {1}", process.Id, windowHandle));
if (windowHandle != IntPtr.Zero)
{
//User32Dll.ShowWindow(windowHandle, 9); //SW_RESTORE = 9
User32Dll.SetForegroundWindow(windowHandle);
}
}
}
catch (Exception e)
{
Log(LoggingLevel.Warning, "Exception on ActivateWindow: " + e);
}
}
}
private static Process GetRiderProcess()
{
var process = Process.GetProcesses().FirstOrDefault(p =>
{
string processName;
try
{
processName =
p.ProcessName; // some processes like kaspersky antivirus throw exception on attempt to get ProcessName
}
catch (Exception)
{
return false;
}
return !p.HasExited && processName.ToLower().Contains("rider");
});
return process;
}
// The default "Open C# Project" menu item will use the external script editor to load the .sln
// file, but unless Unity knows the external script editor can properly load solutions, it will
// also launch MonoDevelop (or the OS registered app for .sln files). This menu item side steps
// that issue, and opens the solution in Rider without opening MonoDevelop as well.
// Unity 2017.1 and later recognise Rider as an app that can load solutions, so this menu isn't
// needed in newer versions.
[MenuItem("Assets/Open C# Project in Rider", false, 1000)]
static void MenuOpenProject()
{
// Force the project files to be sync
SyncSolution();
// Load Project
CallRider(string.Format("{0}{1}{0}", "\"", SlnFile));
}
[MenuItem("Assets/Open C# Project in Rider", true, 1000)]
static bool ValidateMenuOpenProject()
{
return Enabled;
}
///
/// Force Unity To Write Project File
///
private static void SyncSolution()
{
System.Type T = System.Type.GetType("UnityEditor.SyncVS,UnityEditor");
System.Reflection.MethodInfo SyncSolution = T.GetMethod("SyncSolution",
System.Reflection.BindingFlags.Public | System.Reflection.BindingFlags.Static);
SyncSolution.Invoke(null, null);
}
///
/// JetBrains Rider Integration Preferences Item
///
///
/// Contains all 3 toggles: Enable/Disable; Debug On/Off; Writing Launch File On/Off
///
[PreferenceItem("Rider")]
static void RiderPreferencesItem()
{
EditorGUILayout.BeginVertical();
EditorGUI.BeginChangeCheck();
var alternatives = GetAllRiderPaths();
if (alternatives.Any())
{
int index = Array.IndexOf(alternatives, RiderPath);
var alts = alternatives.Select(s => s.Replace("/", ":"))
.ToArray(); // hack around https://fogbugz.unity3d.com/default.asp?940857_tirhinhe3144t4vn
RiderPath = alternatives[EditorGUILayout.Popup("Rider executable:", index == -1 ? 0 : index, alts)];
if (EditorGUILayout.Toggle(new GUIContent("Rider is default editor"), Enabled))
{
SetExternalScriptEditor(RiderPath);
EditorGUILayout.HelpBox("Unckecking will restore default external editor.", MessageType.None);
}
else
{
SetExternalScriptEditor(string.Empty);
EditorGUILayout.HelpBox("Checking will set Rider as default external editor", MessageType.None);
}
}
var help = @"TargetFramework >= 4.5 is strongly recommended.
- Without 4.5:
- Rider will fail to resolve System.Linq on Mac/Linux
- Rider will fail to resolve Firebase Analytics.
- With 4.5 Rider may show ambiguous references in UniRx.
All those problems will go away after Unity upgrades to mono4.";
TargetFrameworkVersion =
EditorGUILayout.TextField(
new GUIContent("TargetFrameworkVersion",
help), TargetFrameworkVersion);
EditorGUILayout.HelpBox(help, MessageType.None);
EditorGUI.EndChangeCheck();
EditorGUI.BeginChangeCheck();
var loggingMsg =
@"Sets the amount of Rider Debug output. If you are about to report an issue, please select Verbose logging level and attach Unity console output to the issue.";
SelectedLoggingLevel = (LoggingLevel) EditorGUILayout.EnumPopup(new GUIContent("Logging Level", loggingMsg), SelectedLoggingLevel);
EditorGUILayout.HelpBox(loggingMsg, MessageType.None);
EditorGUI.EndChangeCheck();
var url = "https://github.com/JetBrains/resharper-unity";
LinkButton(url, url);
/* if (GUILayout.Button("reset RiderInitializedOnce = false"))
{
RiderInitializedOnce = false;
}*/
EditorGUILayout.EndVertical();
}
private static void LinkButton(string caption, string url)
{
var style = GUI.skin.label;
style.richText = true;
caption = string.Format("{0}", caption);
bool bClicked = GUILayout.Button(caption, style);
var rect = GUILayoutUtility.GetLastRect();
rect.width = style.CalcSize(new GUIContent(caption)).x;
EditorGUIUtility.AddCursorRect(rect, MouseCursor.Link);
if (bClicked)
Application.OpenURL(url);
}
#region SystemInfoRiderPlugin
static class SystemInfoRiderPlugin
{
public static OperatingSystemFamily operatingSystemFamily
{
get
{
#if UNITY_5_5_OR_NEWER
return SystemInfo.operatingSystemFamily;
#else
if (SystemInfo.operatingSystem.StartsWith("Mac", StringComparison.InvariantCultureIgnoreCase))
{
return OperatingSystemFamily.MacOSX;
}
if (SystemInfo.operatingSystem.StartsWith("Win", StringComparison.InvariantCultureIgnoreCase))
{
return OperatingSystemFamily.Windows;
}
if (SystemInfo.operatingSystem.StartsWith("Lin", StringComparison.InvariantCultureIgnoreCase))
{
return OperatingSystemFamily.Linux;
}
return OperatingSystemFamily.Other;
#endif
}
}
}
#if !UNITY_5_5_OR_NEWER
enum OperatingSystemFamily
{
Other,
MacOSX,
Windows,
Linux,
}
#endif
#endregion
static class User32Dll
{
///
/// Gets the ID of the process that owns the window.
/// Note that creating a wrapper for that is very expensive because it causes an enumeration of all the system processes to happen.
///
public static int GetWindowProcessId(IntPtr hwnd)
{
uint dwProcessId;
GetWindowThreadProcessId(hwnd, out dwProcessId);
return unchecked((int) dwProcessId);
}
///
/// Lists the handles of all the top-level windows currently available in the system.
///
public static List GetTopLevelWindowHandles()
{
var retval = new List();
EnumWindowsProc callback = (hwnd, param) =>
{
retval.Add(hwnd);
return 1;
};
EnumWindows(Marshal.GetFunctionPointerForDelegate(callback), IntPtr.Zero);
GC.KeepAlive(callback);
return retval;
}
public delegate Int32 EnumWindowsProc(IntPtr hwnd, IntPtr lParam);
[DllImport("user32.dll", CharSet = CharSet.Unicode, PreserveSig = true, SetLastError = true,
ExactSpelling = true)]
public static extern Int32 EnumWindows(IntPtr lpEnumFunc, IntPtr lParam);
[DllImport("user32.dll", SetLastError = true)]
static extern uint GetWindowThreadProcessId(IntPtr hWnd, out uint lpdwProcessId);
[DllImport("user32.dll", CharSet = CharSet.Unicode, PreserveSig = true, SetLastError = true,
ExactSpelling = true)]
public static extern Int32 SetForegroundWindow(IntPtr hWnd);
[DllImport("user32.dll", CharSet = CharSet.Unicode, PreserveSig = true, SetLastError = true,
ExactSpelling = true)]
public static extern UInt32 ShowWindow(IntPtr hWnd, Int32 nCmdShow);
}
static class ShortcutResolver
{
#region Signitures imported from http://pinvoke.net
[DllImport("shfolder.dll", CharSet = CharSet.Auto)]
internal static extern int SHGetFolderPath(IntPtr hwndOwner, int nFolder, IntPtr hToken, int dwFlags, StringBuilder lpszPath);
[Flags()]
enum SLGP_FLAGS
{
/// Retrieves the standard short (8.3 format) file name
SLGP_SHORTPATH = 0x1,
/// Retrieves the Universal Naming Convention (UNC) path name of the file
SLGP_UNCPRIORITY = 0x2,
/// Retrieves the raw path name. A raw path is something that might not exist and may include environment variables that need to be expanded
SLGP_RAWPATH = 0x4
}
[StructLayout(LayoutKind.Sequential, CharSet = CharSet.Auto)]
struct WIN32_FIND_DATAW
{
public uint dwFileAttributes;
public long ftCreationTime;
public long ftLastAccessTime;
public long ftLastWriteTime;
public uint nFileSizeHigh;
public uint nFileSizeLow;
public uint dwReserved0;
public uint dwReserved1;
[MarshalAs(UnmanagedType.ByValTStr, SizeConst = 260)] public string cFileName;
[MarshalAs(UnmanagedType.ByValTStr, SizeConst = 14)] public string cAlternateFileName;
}
[Flags()]
enum SLR_FLAGS
{
///
/// Do not display a dialog box if the link cannot be resolved. When SLR_NO_UI is set,
/// the high-order word of fFlags can be set to a time-out value that specifies the
/// maximum amount of time to be spent resolving the link. The function returns if the
/// link cannot be resolved within the time-out duration. If the high-order word is set
/// to zero, the time-out duration will be set to the default value of 3,000 milliseconds
/// (3 seconds). To specify a value, set the high word of fFlags to the desired time-out
/// duration, in milliseconds.
///
SLR_NO_UI = 0x1,
/// Obsolete and no longer used
SLR_ANY_MATCH = 0x2,
/// If the link object has changed, update its path and list of identifiers.
/// If SLR_UPDATE is set, you do not need to call IPersistFile::IsDirty to determine
/// whether or not the link object has changed.
SLR_UPDATE = 0x4,
/// Do not update the link information
SLR_NOUPDATE = 0x8,
/// Do not execute the search heuristics
SLR_NOSEARCH = 0x10,
/// Do not use distributed link tracking
SLR_NOTRACK = 0x20,
/// Disable distributed link tracking. By default, distributed link tracking tracks
/// removable media across multiple devices based on the volume name. It also uses the
/// Universal Naming Convention (UNC) path to track remote file systems whose drive letter
/// has changed. Setting SLR_NOLINKINFO disables both types of tracking.
SLR_NOLINKINFO = 0x40,
/// Call the Microsoft Windows Installer
SLR_INVOKE_MSI = 0x80
}
/// The IShellLink interface allows Shell links to be created, modified, and resolved
[ComImport(), InterfaceType(ComInterfaceType.InterfaceIsIUnknown), Guid("000214F9-0000-0000-C000-000000000046")]
interface IShellLinkW
{
/// Retrieves the path and file name of a Shell link object
[MethodImpl (MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
void GetPath([Out(), MarshalAs(UnmanagedType.LPWStr)] StringBuilder pszFile, int cchMaxPath, out WIN32_FIND_DATAW pfd, SLGP_FLAGS fFlags);
/// Retrieves the list of item identifiers for a Shell link object
[MethodImpl (MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
void GetIDList(out IntPtr ppidl);
/// Sets the pointer to an item identifier list (PIDL) for a Shell link object.
[MethodImpl (MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
void SetIDList(IntPtr pidl);
/// Retrieves the description string for a Shell link object
[MethodImpl (MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
void GetDescription([Out(), MarshalAs(UnmanagedType.LPWStr)] StringBuilder pszName, int cchMaxName);
/// Sets the description for a Shell link object. The description can be any application-defined string
[MethodImpl (MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
void SetDescription([MarshalAs(UnmanagedType.LPWStr)] string pszName);
/// Retrieves the name of the working directory for a Shell link object
[MethodImpl (MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
void GetWorkingDirectory([Out(), MarshalAs(UnmanagedType.LPWStr)] StringBuilder pszDir, int cchMaxPath);
/// Sets the name of the working directory for a Shell link object
[MethodImpl (MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
void SetWorkingDirectory([MarshalAs(UnmanagedType.LPWStr)] string pszDir);
/// Retrieves the command-line arguments associated with a Shell link object
[MethodImpl (MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
void GetArguments([Out(), MarshalAs(UnmanagedType.LPWStr)] StringBuilder pszArgs, int cchMaxPath);
/// Sets the command-line arguments for a Shell link object
[MethodImpl (MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
void SetArguments([MarshalAs(UnmanagedType.LPWStr)] string pszArgs);
/// Retrieves the hot key for a Shell link object
[MethodImpl (MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
void GetHotkey(out short pwHotkey);
/// Sets a hot key for a Shell link object
[MethodImpl (MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
void SetHotkey(short wHotkey);
/// Retrieves the show command for a Shell link object
[MethodImpl (MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
void GetShowCmd(out int piShowCmd);
/// Sets the show command for a Shell link object. The show command sets the initial show state of the window.
[MethodImpl (MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
void SetShowCmd(int iShowCmd);
/// Retrieves the location (path and index) of the icon for a Shell link object
[MethodImpl (MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
void GetIconLocation([Out(), MarshalAs(UnmanagedType.LPWStr)] StringBuilder pszIconPath, int cchIconPath, out int piIcon);
/// Sets the location (path and index) of the icon for a Shell link object
[MethodImpl (MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
void SetIconLocation([MarshalAs(UnmanagedType.LPWStr)] string pszIconPath, int iIcon);
/// Sets the relative path to the Shell link object
[MethodImpl (MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
void SetRelativePath([MarshalAs(UnmanagedType.LPWStr)] string pszPathRel, int dwReserved);
/// Attempts to find the target of a Shell link, even if it has been moved or renamed
[MethodImpl (MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
void Resolve(IntPtr hwnd, SLR_FLAGS fFlags);
/// Sets the path and file name of a Shell link object
[MethodImpl (MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
void SetPath([MarshalAs(UnmanagedType.LPWStr)] string pszFile);
}
[ComImport, Guid("0000010c-0000-0000-c000-000000000046"), InterfaceType(ComInterfaceType.InterfaceIsIUnknown)]
public interface IPersist
{
[MethodImpl (MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
void GetClassID(out Guid pClassID);
}
[ComImport, Guid("0000010b-0000-0000-C000-000000000046"),
InterfaceType(ComInterfaceType.InterfaceIsIUnknown)]
public interface IPersistFile : IPersist
{
[MethodImpl(MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
new void GetClassID(out Guid pClassID);
[MethodImpl(MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
int IsDirty();
[MethodImpl(MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
void Load([In, MarshalAs(UnmanagedType.LPWStr)] string pszFileName, uint dwMode);
[MethodImpl (MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
void Save([In, MarshalAs(UnmanagedType.LPWStr)] string pszFileName, [In, MarshalAs(UnmanagedType.Bool)] bool fRemember);
[MethodImpl (MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
void SaveCompleted([In, MarshalAs(UnmanagedType.LPWStr)] string pszFileName);
[MethodImpl (MethodImplOptions.InternalCall | MethodImplOptions.PreserveSig, MethodCodeType = MethodCodeType.Runtime)]
void GetCurFile([In, MarshalAs(UnmanagedType.LPWStr)] string ppszFileName);
}
const uint STGM_READ = 0;
const int MAX_PATH = 260;
// CLSID_ShellLink from ShlGuid.h
[
ComImport(),
Guid("00021401-0000-0000-C000-000000000046")
]
public class ShellLink
{
}
#endregion
public static string Resolve(string filename)
{
ShellLink link = new ShellLink();
((IPersistFile) link).Load(filename, STGM_READ);
// If I can get hold of the hwnd call resolve first. This handles moved and renamed files.
// ((IShellLinkW)link).Resolve(hwnd, 0)
StringBuilder sb = new StringBuilder(MAX_PATH);
WIN32_FIND_DATAW data = new WIN32_FIND_DATAW();
((IShellLinkW) link).GetPath(sb, sb.Capacity, out data, 0);
return sb.ToString();
}
}
}
}
// Developed using JetBrains Rider =)