mirror of
https://github.com/microsoft/PowerToys.git
synced 2026-04-08 20:27:36 +02:00
Remove all plugins to their own repo
This commit is contained in:
@@ -1,234 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Runtime.InteropServices;
|
|
||||||
using System.Threading;
|
|
||||||
using System.Windows.Forms;
|
|
||||||
|
|
||||||
namespace Wox.Plugin.Clipboard
|
|
||||||
{
|
|
||||||
public static class ClipboardMonitor
|
|
||||||
{
|
|
||||||
public delegate void OnClipboardChangeEventHandler(ClipboardFormat format, object data);
|
|
||||||
public static event OnClipboardChangeEventHandler OnClipboardChange;
|
|
||||||
|
|
||||||
public static void Start()
|
|
||||||
{
|
|
||||||
ClipboardWatcher.Start();
|
|
||||||
ClipboardWatcher.OnClipboardChange += (ClipboardFormat format, object data) =>
|
|
||||||
{
|
|
||||||
if (OnClipboardChange != null)
|
|
||||||
OnClipboardChange(format, data);
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
public static void Stop()
|
|
||||||
{
|
|
||||||
OnClipboardChange = null;
|
|
||||||
ClipboardWatcher.Stop();
|
|
||||||
}
|
|
||||||
|
|
||||||
class ClipboardWatcher : Form
|
|
||||||
{
|
|
||||||
// static instance of this form
|
|
||||||
private static ClipboardWatcher mInstance;
|
|
||||||
|
|
||||||
// needed to dispose this form
|
|
||||||
static IntPtr nextClipboardViewer;
|
|
||||||
|
|
||||||
public delegate void OnClipboardChangeEventHandler(ClipboardFormat format, object data);
|
|
||||||
public static event OnClipboardChangeEventHandler OnClipboardChange;
|
|
||||||
|
|
||||||
// start listening
|
|
||||||
public static void Start()
|
|
||||||
{
|
|
||||||
// we can only have one instance if this class
|
|
||||||
if (mInstance != null)
|
|
||||||
return;
|
|
||||||
|
|
||||||
Thread t = new Thread(new ParameterizedThreadStart(x =>
|
|
||||||
{
|
|
||||||
Application.Run(new ClipboardWatcher());
|
|
||||||
}));
|
|
||||||
t.SetApartmentState(ApartmentState.STA); // give the [STAThread] attribute
|
|
||||||
t.Start();
|
|
||||||
}
|
|
||||||
|
|
||||||
// stop listening (dispose form)
|
|
||||||
public static void Stop()
|
|
||||||
{
|
|
||||||
mInstance.Invoke(new MethodInvoker(() =>
|
|
||||||
{
|
|
||||||
ChangeClipboardChain(mInstance.Handle, nextClipboardViewer);
|
|
||||||
}));
|
|
||||||
mInstance.Invoke(new MethodInvoker(mInstance.Close));
|
|
||||||
|
|
||||||
mInstance.Dispose();
|
|
||||||
|
|
||||||
mInstance = null;
|
|
||||||
}
|
|
||||||
|
|
||||||
// on load: (hide this window)
|
|
||||||
protected override void SetVisibleCore(bool value)
|
|
||||||
{
|
|
||||||
CreateHandle();
|
|
||||||
|
|
||||||
mInstance = this;
|
|
||||||
|
|
||||||
nextClipboardViewer = SetClipboardViewer(mInstance.Handle);
|
|
||||||
|
|
||||||
base.SetVisibleCore(false);
|
|
||||||
}
|
|
||||||
|
|
||||||
[DllImport("User32.dll", CharSet = CharSet.Auto)]
|
|
||||||
public static extern IntPtr SetClipboardViewer(IntPtr hWndNewViewer);
|
|
||||||
|
|
||||||
[DllImport("User32.dll", CharSet = CharSet.Auto)]
|
|
||||||
public static extern bool ChangeClipboardChain(IntPtr hWndRemove, IntPtr hWndNewNext);
|
|
||||||
|
|
||||||
[DllImport("user32.dll", CharSet = CharSet.Auto)]
|
|
||||||
public static extern int SendMessage(IntPtr hwnd, int wMsg, IntPtr wParam, IntPtr lParam);
|
|
||||||
|
|
||||||
// defined in winuser.h
|
|
||||||
const int WM_DRAWCLIPBOARD = 0x308;
|
|
||||||
const int WM_CHANGECBCHAIN = 0x030D;
|
|
||||||
|
|
||||||
protected override void WndProc(ref Message m)
|
|
||||||
{
|
|
||||||
switch (m.Msg)
|
|
||||||
{
|
|
||||||
case WM_DRAWCLIPBOARD:
|
|
||||||
ClipChanged();
|
|
||||||
SendMessage(nextClipboardViewer, m.Msg, m.WParam, m.LParam);
|
|
||||||
break;
|
|
||||||
|
|
||||||
case WM_CHANGECBCHAIN:
|
|
||||||
if (m.WParam == nextClipboardViewer)
|
|
||||||
nextClipboardViewer = m.LParam;
|
|
||||||
else
|
|
||||||
SendMessage(nextClipboardViewer, m.Msg, m.WParam, m.LParam);
|
|
||||||
break;
|
|
||||||
|
|
||||||
default:
|
|
||||||
base.WndProc(ref m);
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
static readonly string[] formats = Enum.GetNames(typeof(ClipboardFormat));
|
|
||||||
|
|
||||||
private void ClipChanged()
|
|
||||||
{
|
|
||||||
IDataObject iData = System.Windows.Forms.Clipboard.GetDataObject();
|
|
||||||
|
|
||||||
ClipboardFormat? format = null;
|
|
||||||
|
|
||||||
foreach (var f in formats)
|
|
||||||
{
|
|
||||||
if (iData.GetDataPresent(f))
|
|
||||||
{
|
|
||||||
format = (ClipboardFormat)Enum.Parse(typeof(ClipboardFormat), f);
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
object data = iData.GetData(format.ToString());
|
|
||||||
|
|
||||||
if (data == null || format == null)
|
|
||||||
return;
|
|
||||||
|
|
||||||
if (OnClipboardChange != null)
|
|
||||||
OnClipboardChange((ClipboardFormat)format, data);
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
public enum ClipboardFormat : byte
|
|
||||||
{
|
|
||||||
/// <summary>Specifies the standard ANSI text format. This static field is read-only.
|
|
||||||
/// </summary>
|
|
||||||
/// <filterpriority>1</filterpriority>
|
|
||||||
Text,
|
|
||||||
/// <summary>Specifies the standard Windows Unicode text format. This static field
|
|
||||||
/// is read-only.</summary>
|
|
||||||
/// <filterpriority>1</filterpriority>
|
|
||||||
UnicodeText,
|
|
||||||
/// <summary>Specifies the Windows device-independent bitmap (DIB) format. This static
|
|
||||||
/// field is read-only.</summary>
|
|
||||||
/// <filterpriority>1</filterpriority>
|
|
||||||
Dib,
|
|
||||||
/// <summary>Specifies a Windows bitmap format. This static field is read-only.</summary>
|
|
||||||
/// <filterpriority>1</filterpriority>
|
|
||||||
Bitmap,
|
|
||||||
/// <summary>Specifies the Windows enhanced metafile format. This static field is
|
|
||||||
/// read-only.</summary>
|
|
||||||
/// <filterpriority>1</filterpriority>
|
|
||||||
EnhancedMetafile,
|
|
||||||
/// <summary>Specifies the Windows metafile format, which Windows Forms does not
|
|
||||||
/// directly use. This static field is read-only.</summary>
|
|
||||||
/// <filterpriority>1</filterpriority>
|
|
||||||
MetafilePict,
|
|
||||||
/// <summary>Specifies the Windows symbolic link format, which Windows Forms does
|
|
||||||
/// not directly use. This static field is read-only.</summary>
|
|
||||||
/// <filterpriority>1</filterpriority>
|
|
||||||
SymbolicLink,
|
|
||||||
/// <summary>Specifies the Windows Data Interchange Format (DIF), which Windows Forms
|
|
||||||
/// does not directly use. This static field is read-only.</summary>
|
|
||||||
/// <filterpriority>1</filterpriority>
|
|
||||||
Dif,
|
|
||||||
/// <summary>Specifies the Tagged Image File Format (TIFF), which Windows Forms does
|
|
||||||
/// not directly use. This static field is read-only.</summary>
|
|
||||||
/// <filterpriority>1</filterpriority>
|
|
||||||
Tiff,
|
|
||||||
/// <summary>Specifies the standard Windows original equipment manufacturer (OEM)
|
|
||||||
/// text format. This static field is read-only.</summary>
|
|
||||||
/// <filterpriority>1</filterpriority>
|
|
||||||
OemText,
|
|
||||||
/// <summary>Specifies the Windows palette format. This static field is read-only.
|
|
||||||
/// </summary>
|
|
||||||
/// <filterpriority>1</filterpriority>
|
|
||||||
Palette,
|
|
||||||
/// <summary>Specifies the Windows pen data format, which consists of pen strokes
|
|
||||||
/// for handwriting software, Windows Forms does not use this format. This static
|
|
||||||
/// field is read-only.</summary>
|
|
||||||
/// <filterpriority>1</filterpriority>
|
|
||||||
PenData,
|
|
||||||
/// <summary>Specifies the Resource Interchange File Format (RIFF) audio format,
|
|
||||||
/// which Windows Forms does not directly use. This static field is read-only.</summary>
|
|
||||||
/// <filterpriority>1</filterpriority>
|
|
||||||
Riff,
|
|
||||||
/// <summary>Specifies the wave audio format, which Windows Forms does not directly
|
|
||||||
/// use. This static field is read-only.</summary>
|
|
||||||
/// <filterpriority>1</filterpriority>
|
|
||||||
WaveAudio,
|
|
||||||
/// <summary>Specifies the Windows file drop format, which Windows Forms does not
|
|
||||||
/// directly use. This static field is read-only.</summary>
|
|
||||||
/// <filterpriority>1</filterpriority>
|
|
||||||
FileDrop,
|
|
||||||
/// <summary>Specifies the Windows culture format, which Windows Forms does not directly
|
|
||||||
/// use. This static field is read-only.</summary>
|
|
||||||
/// <filterpriority>1</filterpriority>
|
|
||||||
Locale,
|
|
||||||
/// <summary>Specifies text consisting of HTML data. This static field is read-only.
|
|
||||||
/// </summary>
|
|
||||||
/// <filterpriority>1</filterpriority>
|
|
||||||
Html,
|
|
||||||
/// <summary>Specifies text consisting of Rich Text Format (RTF) data. This static
|
|
||||||
/// field is read-only.</summary>
|
|
||||||
/// <filterpriority>1</filterpriority>
|
|
||||||
Rtf,
|
|
||||||
/// <summary>Specifies a comma-separated value (CSV) format, which is a common interchange
|
|
||||||
/// format used by spreadsheets. This format is not used directly by Windows Forms.
|
|
||||||
/// This static field is read-only.</summary>
|
|
||||||
/// <filterpriority>1</filterpriority>
|
|
||||||
CommaSeparatedValue,
|
|
||||||
/// <summary>Specifies the Windows Forms string class format, which Windows Forms
|
|
||||||
/// uses to store string objects. This static field is read-only.</summary>
|
|
||||||
/// <filterpriority>1</filterpriority>
|
|
||||||
StringFormat,
|
|
||||||
/// <summary>Specifies a format that encapsulates any type of Windows Forms object.
|
|
||||||
/// This static field is read-only.</summary>
|
|
||||||
/// <filterpriority>1</filterpriority>
|
|
||||||
Serializable,
|
|
||||||
}
|
|
||||||
}
|
|
||||||
Binary file not shown.
|
Before Width: | Height: | Size: 924 B |
@@ -1,84 +0,0 @@
|
|||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Runtime.InteropServices;
|
|
||||||
using System.Windows.Forms;
|
|
||||||
using WindowsInput;
|
|
||||||
using WindowsInput.Native;
|
|
||||||
|
|
||||||
namespace Wox.Plugin.Clipboard
|
|
||||||
{
|
|
||||||
public class Main : IPlugin
|
|
||||||
{
|
|
||||||
private const int MaxDataCount = 100;
|
|
||||||
private readonly KeyboardSimulator keyboardSimulator = new KeyboardSimulator(new InputSimulator());
|
|
||||||
private PluginInitContext context;
|
|
||||||
List<string> dataList = new List<string>();
|
|
||||||
|
|
||||||
public List<Result> Query(Query query)
|
|
||||||
{
|
|
||||||
var results = new List<Result>();
|
|
||||||
List<string> displayData = new List<string>();
|
|
||||||
if (query.ActionParameters.Count == 0)
|
|
||||||
{
|
|
||||||
displayData = dataList;
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
displayData = dataList.Where(i => i.ToLower().Contains(query.GetAllRemainingParameter().ToLower()))
|
|
||||||
.ToList();
|
|
||||||
}
|
|
||||||
|
|
||||||
results.AddRange(displayData.Select(o => new Result
|
|
||||||
{
|
|
||||||
Title = o,
|
|
||||||
IcoPath = "Images\\clipboard.png",
|
|
||||||
Action = c =>
|
|
||||||
{
|
|
||||||
if (c.SpecialKeyState.CtrlPressed)
|
|
||||||
{
|
|
||||||
context.ShowCurrentResultItemTooltip(o);
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
System.Windows.Forms.Clipboard.SetText(o);
|
|
||||||
context.HideApp();
|
|
||||||
keyboardSimulator.ModifiedKeyStroke(VirtualKeyCode.CONTROL, VirtualKeyCode.VK_V);
|
|
||||||
return true;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}).Reverse());
|
|
||||||
return results;
|
|
||||||
}
|
|
||||||
|
|
||||||
public void Init(PluginInitContext context)
|
|
||||||
{
|
|
||||||
this.context = context;
|
|
||||||
ClipboardMonitor.OnClipboardChange += ClipboardMonitor_OnClipboardChange;
|
|
||||||
ClipboardMonitor.Start();
|
|
||||||
}
|
|
||||||
|
|
||||||
void ClipboardMonitor_OnClipboardChange(ClipboardFormat format, object data)
|
|
||||||
{
|
|
||||||
if (format == ClipboardFormat.Html ||
|
|
||||||
format == ClipboardFormat.SymbolicLink ||
|
|
||||||
format == ClipboardFormat.Text ||
|
|
||||||
format == ClipboardFormat.UnicodeText)
|
|
||||||
{
|
|
||||||
if (data != null && !string.IsNullOrEmpty(data.ToString()))
|
|
||||||
{
|
|
||||||
if (dataList.Contains(data.ToString()))
|
|
||||||
{
|
|
||||||
dataList.Remove(data.ToString());
|
|
||||||
}
|
|
||||||
dataList.Add(data.ToString());
|
|
||||||
|
|
||||||
if (dataList.Count > MaxDataCount)
|
|
||||||
{
|
|
||||||
dataList.Remove(dataList.First());
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
@@ -1,36 +0,0 @@
|
|||||||
using System.Reflection;
|
|
||||||
using System.Runtime.CompilerServices;
|
|
||||||
using System.Runtime.InteropServices;
|
|
||||||
|
|
||||||
// 有关程序集的常规信息通过以下
|
|
||||||
// 特性集控制。更改这些特性值可修改
|
|
||||||
// 与程序集关联的信息。
|
|
||||||
[assembly: AssemblyTitle("Wox.Plugin.DotnetPluginTest")]
|
|
||||||
[assembly: AssemblyDescription("https://github.com/qianlifeng/Wox")]
|
|
||||||
[assembly: AssemblyConfiguration("")]
|
|
||||||
[assembly: AssemblyCompany("")]
|
|
||||||
[assembly: AssemblyProduct("Wox.Plugin.DotnetPluginTest")]
|
|
||||||
[assembly: AssemblyCopyright("The MIT License (MIT)")]
|
|
||||||
[assembly: AssemblyTrademark("")]
|
|
||||||
[assembly: AssemblyCulture("")]
|
|
||||||
|
|
||||||
// 将 ComVisible 设置为 false 使此程序集中的类型
|
|
||||||
// 对 COM 组件不可见。 如果需要从 COM 访问此程序集中的类型,
|
|
||||||
// 则将该类型上的 ComVisible 特性设置为 true。
|
|
||||||
[assembly: ComVisible(false)]
|
|
||||||
|
|
||||||
// 如果此项目向 COM 公开,则下列 GUID 用于类型库的 ID
|
|
||||||
[assembly: Guid("62685493-1710-4c1d-a179-cf466a44f45e")]
|
|
||||||
|
|
||||||
// 程序集的版本信息由下面四个值组成:
|
|
||||||
//
|
|
||||||
// 主版本
|
|
||||||
// 次版本
|
|
||||||
// 生成号
|
|
||||||
// 修订号
|
|
||||||
//
|
|
||||||
// 可以指定所有这些值,也可以使用“生成号”和“修订号”的默认值,
|
|
||||||
// 方法是按如下所示使用“*”:
|
|
||||||
// [assembly: AssemblyVersion("1.0.*")]
|
|
||||||
[assembly: AssemblyVersion("1.0.0.0")]
|
|
||||||
[assembly: AssemblyFileVersion("1.0.0.0")]
|
|
||||||
@@ -1,87 +0,0 @@
|
|||||||
<?xml version="1.0" encoding="utf-8"?>
|
|
||||||
<Project ToolsVersion="12.0" DefaultTargets="Build" xmlns="http://schemas.microsoft.com/developer/msbuild/2003">
|
|
||||||
<Import Project="$(MSBuildExtensionsPath)\$(MSBuildToolsVersion)\Microsoft.Common.props" Condition="Exists('$(MSBuildExtensionsPath)\$(MSBuildToolsVersion)\Microsoft.Common.props')" />
|
|
||||||
<PropertyGroup>
|
|
||||||
<Configuration Condition=" '$(Configuration)' == '' ">Debug</Configuration>
|
|
||||||
<Platform Condition=" '$(Platform)' == '' ">AnyCPU</Platform>
|
|
||||||
<ProjectGuid>{8C14DC11-2737-4DCB-A121-5D7BDD57FEA2}</ProjectGuid>
|
|
||||||
<OutputType>Library</OutputType>
|
|
||||||
<AppDesignerFolder>Properties</AppDesignerFolder>
|
|
||||||
<RootNamespace>Wox.Plugin.Clipboard</RootNamespace>
|
|
||||||
<AssemblyName>Wox.Plugin.Clipboard</AssemblyName>
|
|
||||||
<TargetFrameworkVersion>v3.5</TargetFrameworkVersion>
|
|
||||||
<FileAlignment>512</FileAlignment>
|
|
||||||
<SolutionDir Condition="$(SolutionDir) == '' Or $(SolutionDir) == '*Undefined*'">..\..\</SolutionDir>
|
|
||||||
<RestorePackages>true</RestorePackages>
|
|
||||||
</PropertyGroup>
|
|
||||||
<PropertyGroup Condition=" '$(Configuration)|$(Platform)' == 'Debug|AnyCPU' ">
|
|
||||||
<DebugSymbols>true</DebugSymbols>
|
|
||||||
<DebugType>full</DebugType>
|
|
||||||
<Optimize>false</Optimize>
|
|
||||||
<OutputPath>..\..\Output\Debug\Plugins\Wox.Plugin.Clipboard\</OutputPath>
|
|
||||||
<DefineConstants>DEBUG;TRACE</DefineConstants>
|
|
||||||
<ErrorReport>prompt</ErrorReport>
|
|
||||||
<WarningLevel>4</WarningLevel>
|
|
||||||
</PropertyGroup>
|
|
||||||
<PropertyGroup Condition=" '$(Configuration)|$(Platform)' == 'Release|AnyCPU' ">
|
|
||||||
<DebugType>pdbonly</DebugType>
|
|
||||||
<Optimize>true</Optimize>
|
|
||||||
<OutputPath>..\..\Output\Release\Plugins\Wox.Plugin.Clipboard\</OutputPath>
|
|
||||||
<DefineConstants>TRACE</DefineConstants>
|
|
||||||
<ErrorReport>prompt</ErrorReport>
|
|
||||||
<WarningLevel>4</WarningLevel>
|
|
||||||
</PropertyGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<Reference Include="System" />
|
|
||||||
<Reference Include="System.Core" />
|
|
||||||
<Reference Include="System.Windows.Forms" />
|
|
||||||
<Reference Include="System.Xml.Linq" />
|
|
||||||
<Reference Include="System.Data.DataSetExtensions" />
|
|
||||||
<Reference Include="System.Data" />
|
|
||||||
<Reference Include="System.Xml" />
|
|
||||||
<Reference Include="WindowsInput">
|
|
||||||
<HintPath>..\..\packages\InputSimulator.1.0.4.0\lib\net20\WindowsInput.dll</HintPath>
|
|
||||||
</Reference>
|
|
||||||
</ItemGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<Compile Include="ClipboardMonitor.cs" />
|
|
||||||
<Compile Include="Main.cs" />
|
|
||||||
<Compile Include="Properties\AssemblyInfo.cs" />
|
|
||||||
</ItemGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<ProjectReference Include="..\..\Wox.Plugin\Wox.Plugin.csproj">
|
|
||||||
<Project>{8451ecdd-2ea4-4966-bb0a-7bbc40138e80}</Project>
|
|
||||||
<Name>Wox.Plugin</Name>
|
|
||||||
</ProjectReference>
|
|
||||||
</ItemGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<None Include="packages.config" />
|
|
||||||
<None Include="plugin.json">
|
|
||||||
<CopyToOutputDirectory>PreserveNewest</CopyToOutputDirectory>
|
|
||||||
</None>
|
|
||||||
</ItemGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<Content Include="Images\clipboard.png">
|
|
||||||
<CopyToOutputDirectory>PreserveNewest</CopyToOutputDirectory>
|
|
||||||
</Content>
|
|
||||||
</ItemGroup>
|
|
||||||
<Import Project="$(MSBuildToolsPath)\Microsoft.CSharp.targets" />
|
|
||||||
<PropertyGroup>
|
|
||||||
<PostBuildEvent>
|
|
||||||
</PostBuildEvent>
|
|
||||||
</PropertyGroup>
|
|
||||||
<Import Project="$(SolutionDir)\.nuget\NuGet.targets" Condition="Exists('$(SolutionDir)\.nuget\NuGet.targets')" />
|
|
||||||
<Target Name="EnsureNuGetPackageBuildImports" BeforeTargets="PrepareForBuild">
|
|
||||||
<PropertyGroup>
|
|
||||||
<ErrorText>这台计算机上缺少此项目引用的 NuGet 程序包。启用“NuGet 程序包还原”可下载这些程序包。有关详细信息,请参阅 http://go.microsoft.com/fwlink/?LinkID=322105。缺少的文件是 {0}。</ErrorText>
|
|
||||||
</PropertyGroup>
|
|
||||||
<Error Condition="!Exists('$(SolutionDir)\.nuget\NuGet.targets')" Text="$([System.String]::Format('$(ErrorText)', '$(SolutionDir)\.nuget\NuGet.targets'))" />
|
|
||||||
</Target>
|
|
||||||
<!-- To modify your build process, add your task inside one of the targets below and uncomment it.
|
|
||||||
Other similar extension points exist, see Microsoft.Common.targets.
|
|
||||||
<Target Name="BeforeBuild">
|
|
||||||
</Target>
|
|
||||||
<Target Name="AfterBuild">
|
|
||||||
</Target>
|
|
||||||
-->
|
|
||||||
</Project>
|
|
||||||
@@ -1,4 +0,0 @@
|
|||||||
<?xml version="1.0" encoding="utf-8"?>
|
|
||||||
<packages>
|
|
||||||
<package id="InputSimulator" version="1.0.4.0" targetFramework="net35" />
|
|
||||||
</packages>
|
|
||||||
@@ -1,11 +0,0 @@
|
|||||||
{
|
|
||||||
"ID":"D2D2C23B084D411DB66FE0C79D6C2A6C",
|
|
||||||
"ActionKeyword":"cb",
|
|
||||||
"Name":"Wox.Plugin.Clipboard",
|
|
||||||
"Description":"clipboard history search",
|
|
||||||
"Author":"qianlifeng",
|
|
||||||
"Version":"1.0",
|
|
||||||
"Language":"csharp",
|
|
||||||
"Website":"http://www.getwox.com",
|
|
||||||
"ExecuteFileName":"Wox.Plugin.Clipboard.dll"
|
|
||||||
}
|
|
||||||
@@ -1,10 +0,0 @@
|
|||||||
namespace Wox.Plugin.Doc
|
|
||||||
{
|
|
||||||
public class Doc
|
|
||||||
{
|
|
||||||
public string DBPath { get; set; }
|
|
||||||
public string DBType { get; set; }
|
|
||||||
public string Name { get; set; }
|
|
||||||
public string IconPath { get; set; }
|
|
||||||
}
|
|
||||||
}
|
|
||||||
63
Plugins/Wox.Plugin.Doc/DocViewFrm.Designer.cs
generated
63
Plugins/Wox.Plugin.Doc/DocViewFrm.Designer.cs
generated
@@ -1,63 +0,0 @@
|
|||||||
namespace Wox.Plugin.Doc
|
|
||||||
{
|
|
||||||
partial class DocViewFrm
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// Required designer variable.
|
|
||||||
/// </summary>
|
|
||||||
private System.ComponentModel.IContainer components = null;
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Clean up any resources being used.
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="disposing">true if managed resources should be disposed; otherwise, false.</param>
|
|
||||||
protected override void Dispose(bool disposing)
|
|
||||||
{
|
|
||||||
if (disposing && (components != null))
|
|
||||||
{
|
|
||||||
components.Dispose();
|
|
||||||
}
|
|
||||||
base.Dispose(disposing);
|
|
||||||
}
|
|
||||||
|
|
||||||
#region Windows Form Designer generated code
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Required method for Designer support - do not modify
|
|
||||||
/// the contents of this method with the code editor.
|
|
||||||
/// </summary>
|
|
||||||
private void InitializeComponent()
|
|
||||||
{
|
|
||||||
this.webBrowser1 = new System.Windows.Forms.WebBrowser();
|
|
||||||
this.SuspendLayout();
|
|
||||||
//
|
|
||||||
// webBrowser1
|
|
||||||
//
|
|
||||||
this.webBrowser1.Dock = System.Windows.Forms.DockStyle.Fill;
|
|
||||||
this.webBrowser1.Location = new System.Drawing.Point(0, 0);
|
|
||||||
this.webBrowser1.MinimumSize = new System.Drawing.Size(20, 20);
|
|
||||||
this.webBrowser1.Name = "webBrowser1";
|
|
||||||
this.webBrowser1.ScriptErrorsSuppressed = true;
|
|
||||||
this.webBrowser1.Size = new System.Drawing.Size(926, 611);
|
|
||||||
this.webBrowser1.TabIndex = 0;
|
|
||||||
//
|
|
||||||
// DocViewFrm
|
|
||||||
//
|
|
||||||
this.AutoScaleDimensions = new System.Drawing.SizeF(6F, 12F);
|
|
||||||
this.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font;
|
|
||||||
this.ClientSize = new System.Drawing.Size(926, 611);
|
|
||||||
this.Controls.Add(this.webBrowser1);
|
|
||||||
this.MaximizeBox = false;
|
|
||||||
this.MinimizeBox = false;
|
|
||||||
this.Name = "DocViewFrm";
|
|
||||||
this.StartPosition = System.Windows.Forms.FormStartPosition.CenterScreen;
|
|
||||||
this.Text = "DocViewer";
|
|
||||||
this.ResumeLayout(false);
|
|
||||||
|
|
||||||
}
|
|
||||||
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
private System.Windows.Forms.WebBrowser webBrowser1;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
@@ -1,35 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.ComponentModel;
|
|
||||||
using System.Data;
|
|
||||||
using System.Drawing;
|
|
||||||
using System.IO;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Windows.Forms;
|
|
||||||
|
|
||||||
namespace Wox.Plugin.Doc
|
|
||||||
{
|
|
||||||
public partial class DocViewFrm : Form
|
|
||||||
{
|
|
||||||
public DocViewFrm()
|
|
||||||
{
|
|
||||||
InitializeComponent();
|
|
||||||
FormClosing+=DocViewFrm_FormClosing;
|
|
||||||
}
|
|
||||||
|
|
||||||
private void DocViewFrm_FormClosing(object sender, FormClosingEventArgs e)
|
|
||||||
{
|
|
||||||
e.Cancel = true;
|
|
||||||
Hide();
|
|
||||||
}
|
|
||||||
|
|
||||||
public void ShowDoc(string path)
|
|
||||||
{
|
|
||||||
//string html = File.ReadAllText(path);
|
|
||||||
//webBrowser1.DocumentText = html;
|
|
||||||
webBrowser1.Url = new Uri(String.Format("file:///{0}", path));
|
|
||||||
Show();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
@@ -1,120 +0,0 @@
|
|||||||
<?xml version="1.0" encoding="utf-8"?>
|
|
||||||
<root>
|
|
||||||
<!--
|
|
||||||
Microsoft ResX Schema
|
|
||||||
|
|
||||||
Version 2.0
|
|
||||||
|
|
||||||
The primary goals of this format is to allow a simple XML format
|
|
||||||
that is mostly human readable. The generation and parsing of the
|
|
||||||
various data types are done through the TypeConverter classes
|
|
||||||
associated with the data types.
|
|
||||||
|
|
||||||
Example:
|
|
||||||
|
|
||||||
... ado.net/XML headers & schema ...
|
|
||||||
<resheader name="resmimetype">text/microsoft-resx</resheader>
|
|
||||||
<resheader name="version">2.0</resheader>
|
|
||||||
<resheader name="reader">System.Resources.ResXResourceReader, System.Windows.Forms, ...</resheader>
|
|
||||||
<resheader name="writer">System.Resources.ResXResourceWriter, System.Windows.Forms, ...</resheader>
|
|
||||||
<data name="Name1"><value>this is my long string</value><comment>this is a comment</comment></data>
|
|
||||||
<data name="Color1" type="System.Drawing.Color, System.Drawing">Blue</data>
|
|
||||||
<data name="Bitmap1" mimetype="application/x-microsoft.net.object.binary.base64">
|
|
||||||
<value>[base64 mime encoded serialized .NET Framework object]</value>
|
|
||||||
</data>
|
|
||||||
<data name="Icon1" type="System.Drawing.Icon, System.Drawing" mimetype="application/x-microsoft.net.object.bytearray.base64">
|
|
||||||
<value>[base64 mime encoded string representing a byte array form of the .NET Framework object]</value>
|
|
||||||
<comment>This is a comment</comment>
|
|
||||||
</data>
|
|
||||||
|
|
||||||
There are any number of "resheader" rows that contain simple
|
|
||||||
name/value pairs.
|
|
||||||
|
|
||||||
Each data row contains a name, and value. The row also contains a
|
|
||||||
type or mimetype. Type corresponds to a .NET class that support
|
|
||||||
text/value conversion through the TypeConverter architecture.
|
|
||||||
Classes that don't support this are serialized and stored with the
|
|
||||||
mimetype set.
|
|
||||||
|
|
||||||
The mimetype is used for serialized objects, and tells the
|
|
||||||
ResXResourceReader how to depersist the object. This is currently not
|
|
||||||
extensible. For a given mimetype the value must be set accordingly:
|
|
||||||
|
|
||||||
Note - application/x-microsoft.net.object.binary.base64 is the format
|
|
||||||
that the ResXResourceWriter will generate, however the reader can
|
|
||||||
read any of the formats listed below.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.binary.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Binary.BinaryFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.soap.base64
|
|
||||||
value : The object must be serialized with
|
|
||||||
: System.Runtime.Serialization.Formatters.Soap.SoapFormatter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
|
|
||||||
mimetype: application/x-microsoft.net.object.bytearray.base64
|
|
||||||
value : The object must be serialized into a byte array
|
|
||||||
: using a System.ComponentModel.TypeConverter
|
|
||||||
: and then encoded with base64 encoding.
|
|
||||||
-->
|
|
||||||
<xsd:schema id="root" xmlns="" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata">
|
|
||||||
<xsd:import namespace="http://www.w3.org/XML/1998/namespace" />
|
|
||||||
<xsd:element name="root" msdata:IsDataSet="true">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:choice maxOccurs="unbounded">
|
|
||||||
<xsd:element name="metadata">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" use="required" type="xsd:string" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="assembly">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:attribute name="alias" type="xsd:string" />
|
|
||||||
<xsd:attribute name="name" type="xsd:string" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="data">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
<xsd:element name="comment" type="xsd:string" minOccurs="0" msdata:Ordinal="2" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" msdata:Ordinal="1" />
|
|
||||||
<xsd:attribute name="type" type="xsd:string" msdata:Ordinal="3" />
|
|
||||||
<xsd:attribute name="mimetype" type="xsd:string" msdata:Ordinal="4" />
|
|
||||||
<xsd:attribute ref="xml:space" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
<xsd:element name="resheader">
|
|
||||||
<xsd:complexType>
|
|
||||||
<xsd:sequence>
|
|
||||||
<xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" />
|
|
||||||
</xsd:sequence>
|
|
||||||
<xsd:attribute name="name" type="xsd:string" use="required" />
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:choice>
|
|
||||||
</xsd:complexType>
|
|
||||||
</xsd:element>
|
|
||||||
</xsd:schema>
|
|
||||||
<resheader name="resmimetype">
|
|
||||||
<value>text/microsoft-resx</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="version">
|
|
||||||
<value>2.0</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="reader">
|
|
||||||
<value>System.Resources.ResXResourceReader, System.Windows.Forms, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
<resheader name="writer">
|
|
||||||
<value>System.Resources.ResXResourceWriter, System.Windows.Forms, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value>
|
|
||||||
</resheader>
|
|
||||||
</root>
|
|
||||||
@@ -1,178 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Data.SQLite;
|
|
||||||
using System.Diagnostics;
|
|
||||||
using System.IO;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Net;
|
|
||||||
using System.Reflection;
|
|
||||||
using System.Text;
|
|
||||||
using System.Web;
|
|
||||||
using Microsoft.Win32;
|
|
||||||
|
|
||||||
namespace Wox.Plugin.Doc
|
|
||||||
{
|
|
||||||
public class Main : IPlugin
|
|
||||||
{
|
|
||||||
private List<Doc> docs = new List<Doc>();
|
|
||||||
DocViewFrm frm = new DocViewFrm();
|
|
||||||
private string docsetBasePath;
|
|
||||||
|
|
||||||
public List<Result> Query(Query query)
|
|
||||||
{
|
|
||||||
List<Result> results = new List<Result>();
|
|
||||||
if (query.ActionParameters.Count == 0)
|
|
||||||
{
|
|
||||||
results.AddRange(docs.Select(o => new Result()
|
|
||||||
{
|
|
||||||
Title = o.Name.Replace(".docset", "").Replace(" ",""),
|
|
||||||
IcoPath = o.IconPath
|
|
||||||
}).ToList());
|
|
||||||
return results;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (query.ActionParameters.Count >= 2)
|
|
||||||
{
|
|
||||||
Doc firstOrDefault = docs.FirstOrDefault(o => o.Name.Replace(".docset", "").Replace(" ","").ToLower() == query.ActionParameters[0]);
|
|
||||||
if (firstOrDefault != null)
|
|
||||||
{
|
|
||||||
results.AddRange(QuerySqllite(firstOrDefault, query.ActionParameters[1]));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
foreach (Doc doc in docs)
|
|
||||||
{
|
|
||||||
results.AddRange(QuerySqllite(doc, query.ActionParameters[0]));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
return results;
|
|
||||||
}
|
|
||||||
|
|
||||||
public void Init(PluginInitContext context)
|
|
||||||
{
|
|
||||||
docsetBasePath = Path.Combine(context.CurrentPluginMetadata.PluginDirecotry, @"Docset");
|
|
||||||
if (!Directory.Exists(docsetBasePath))
|
|
||||||
Directory.CreateDirectory(docsetBasePath);
|
|
||||||
|
|
||||||
foreach (string path in Directory.GetDirectories(docsetBasePath))
|
|
||||||
{
|
|
||||||
string name = path.Substring(path.LastIndexOf('\\') + 1);
|
|
||||||
string dbPath = path + @"\Contents\Resources\docSet.dsidx";
|
|
||||||
string dbType = CheckTableExists("searchIndex", dbPath) ? "DASH" : "ZDASH";
|
|
||||||
docs.Add(new Doc
|
|
||||||
{
|
|
||||||
Name = name,
|
|
||||||
DBPath = dbPath,
|
|
||||||
DBType = dbType,
|
|
||||||
IconPath = TryGetIcon(name, path)
|
|
||||||
});
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
private string TryGetIcon(string name, string path)
|
|
||||||
{
|
|
||||||
string url = "https://raw.github.com/jkozera/zeal/master/zeal/icons/" +
|
|
||||||
name.Replace(".docset", "").Replace(" ", "_") + ".png";
|
|
||||||
string imagePath = path + "\\icon.png";
|
|
||||||
if (!File.Exists(imagePath))
|
|
||||||
{
|
|
||||||
HttpWebRequest lxRequest = (HttpWebRequest)WebRequest.Create(url);
|
|
||||||
// returned values are returned as a stream, then read into a string
|
|
||||||
String lsResponse = string.Empty;
|
|
||||||
using (HttpWebResponse lxResponse = (HttpWebResponse)lxRequest.GetResponse())
|
|
||||||
{
|
|
||||||
using (BinaryReader reader = new BinaryReader(lxResponse.GetResponseStream()))
|
|
||||||
{
|
|
||||||
Byte[] lnByte = reader.ReadBytes(1 * 1024 * 1024 * 10);
|
|
||||||
using (FileStream lxFS = new FileStream(imagePath, FileMode.Create))
|
|
||||||
{
|
|
||||||
lxFS.Write(lnByte, 0, lnByte.Length);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
return imagePath;
|
|
||||||
}
|
|
||||||
|
|
||||||
private List<Result> QuerySqllite(Doc doc, string key)
|
|
||||||
{
|
|
||||||
string dbPath = "Data Source =" + doc.DBPath;
|
|
||||||
SQLiteConnection conn = new SQLiteConnection(dbPath);
|
|
||||||
conn.Open();
|
|
||||||
string sql = GetSqlByDocDBType(doc.DBType).Replace("{0}", key);
|
|
||||||
SQLiteCommand cmdQ = new SQLiteCommand(sql, conn);
|
|
||||||
SQLiteDataReader reader = cmdQ.ExecuteReader();
|
|
||||||
|
|
||||||
List<Result> results = new List<Result>();
|
|
||||||
while (reader.Read())
|
|
||||||
{
|
|
||||||
string name = reader.GetString(reader.GetOrdinal("name"));
|
|
||||||
string docPath = reader.GetString(reader.GetOrdinal("path"));
|
|
||||||
|
|
||||||
results.Add(new Result
|
|
||||||
{
|
|
||||||
Title = name,
|
|
||||||
SubTitle = doc.Name.Replace(".docset", ""),
|
|
||||||
IcoPath = doc.IconPath,
|
|
||||||
Action = (c) =>
|
|
||||||
{
|
|
||||||
string url = string.Format(@"{0}\{1}\Contents\Resources\Documents\{2}#{3}", docsetBasePath,
|
|
||||||
doc.Name, docPath, name);
|
|
||||||
|
|
||||||
//frm.ShowDoc(url);
|
|
||||||
string browser = GetDefaultBrowserPath();
|
|
||||||
Process.Start(browser, String.Format("\"file:///{0}\"", url));
|
|
||||||
return true;
|
|
||||||
}
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
conn.Close();
|
|
||||||
|
|
||||||
return results;
|
|
||||||
}
|
|
||||||
|
|
||||||
private static string GetDefaultBrowserPath()
|
|
||||||
{
|
|
||||||
string key = @"HTTP\shell\open\command";
|
|
||||||
using (RegistryKey registrykey = Registry.ClassesRoot.OpenSubKey(key, false))
|
|
||||||
{
|
|
||||||
if (registrykey != null) return ((string)registrykey.GetValue(null, null)).Split('"')[1];
|
|
||||||
}
|
|
||||||
return null;
|
|
||||||
}
|
|
||||||
|
|
||||||
private string GetSqlByDocDBType(string type)
|
|
||||||
{
|
|
||||||
string sql = string.Empty;
|
|
||||||
if (type == "DASH")
|
|
||||||
{
|
|
||||||
sql = "select * from searchIndex where name like '%{0}%' order by name asc, path asc limit 30";
|
|
||||||
}
|
|
||||||
if (type == "ZDASH")
|
|
||||||
{
|
|
||||||
sql = @"select ztokenname as name, zpath as path from ztoken
|
|
||||||
join ztokenmetainformation on ztoken.zmetainformation = ztokenmetainformation.z_pk
|
|
||||||
join zfilepath on ztokenmetainformation.zfile = zfilepath.z_pk
|
|
||||||
where (ztokenname like '%{0}%') order by lower(ztokenname) asc, zpath asc limit 30";
|
|
||||||
}
|
|
||||||
|
|
||||||
return sql;
|
|
||||||
}
|
|
||||||
|
|
||||||
private bool CheckTableExists(string table, string path)
|
|
||||||
{
|
|
||||||
string dbPath = "Data Source =" + path;
|
|
||||||
SQLiteConnection conn = new SQLiteConnection(dbPath);
|
|
||||||
conn.Open();
|
|
||||||
string sql = "SELECT name FROM sqlite_master WHERE type='table' AND name='" + table + "';";
|
|
||||||
SQLiteCommand cmdQ = new SQLiteCommand(sql, conn);
|
|
||||||
object obj = cmdQ.ExecuteScalar();
|
|
||||||
conn.Close();
|
|
||||||
return obj != null;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
@@ -1,36 +0,0 @@
|
|||||||
using System.Reflection;
|
|
||||||
using System.Runtime.CompilerServices;
|
|
||||||
using System.Runtime.InteropServices;
|
|
||||||
|
|
||||||
// General Information about an assembly is controlled through the following
|
|
||||||
// set of attributes. Change these attribute values to modify the information
|
|
||||||
// associated with an assembly.
|
|
||||||
[assembly: AssemblyTitle("Wox.Plugin.Doc")]
|
|
||||||
[assembly: AssemblyDescription("https://github.com/qianlifeng/Wox")]
|
|
||||||
[assembly: AssemblyConfiguration("")]
|
|
||||||
[assembly: AssemblyCompany("")]
|
|
||||||
[assembly: AssemblyProduct("Wox.Plugin.Doc")]
|
|
||||||
[assembly: AssemblyCopyright("The MIT License (MIT)")]
|
|
||||||
[assembly: AssemblyTrademark("")]
|
|
||||||
[assembly: AssemblyCulture("")]
|
|
||||||
|
|
||||||
// Setting ComVisible to false makes the types in this assembly not visible
|
|
||||||
// to COM components. If you need to access a type in this assembly from
|
|
||||||
// COM, set the ComVisible attribute to true on that type.
|
|
||||||
[assembly: ComVisible(false)]
|
|
||||||
|
|
||||||
// The following GUID is for the ID of the typelib if this project is exposed to COM
|
|
||||||
[assembly: Guid("e0efc3c8-af56-47c0-adb0-3967635b5394")]
|
|
||||||
|
|
||||||
// Version information for an assembly consists of the following four values:
|
|
||||||
//
|
|
||||||
// Major Version
|
|
||||||
// Minor Version
|
|
||||||
// Build Number
|
|
||||||
// Revision
|
|
||||||
//
|
|
||||||
// You can specify all the values or you can default the Build and Revision Numbers
|
|
||||||
// by using the '*' as shown below:
|
|
||||||
// [assembly: AssemblyVersion("1.0.*")]
|
|
||||||
[assembly: AssemblyVersion("1.0.0.0")]
|
|
||||||
[assembly: AssemblyFileVersion("1.0.0.0")]
|
|
||||||
@@ -1,5 +0,0 @@
|
|||||||
How to use?
|
|
||||||
|
|
||||||
1. Docset download link:[http://kapeli.com/docset_links](http://kapeli.com/docset_links)
|
|
||||||
2. Unzip doc zip into "Plugins\Doc\Docset\{docname}"
|
|
||||||
3. Restart Wox
|
|
||||||
@@ -1,98 +0,0 @@
|
|||||||
<?xml version="1.0" encoding="utf-8"?>
|
|
||||||
<Project ToolsVersion="4.0" DefaultTargets="Build" xmlns="http://schemas.microsoft.com/developer/msbuild/2003">
|
|
||||||
<Import Project="$(MSBuildExtensionsPath)\$(MSBuildToolsVersion)\Microsoft.Common.props" Condition="Exists('$(MSBuildExtensionsPath)\$(MSBuildToolsVersion)\Microsoft.Common.props')" />
|
|
||||||
<PropertyGroup>
|
|
||||||
<Configuration Condition=" '$(Configuration)' == '' ">Debug</Configuration>
|
|
||||||
<Platform Condition=" '$(Platform)' == '' ">AnyCPU</Platform>
|
|
||||||
<ProjectGuid>{6B6696B1-A547-4FD4-85EF-E1FD0F54AD2C}</ProjectGuid>
|
|
||||||
<OutputType>Library</OutputType>
|
|
||||||
<AppDesignerFolder>Properties</AppDesignerFolder>
|
|
||||||
<RootNamespace>Wox.Plugin.Doc</RootNamespace>
|
|
||||||
<AssemblyName>Wox.Plugin.Doc</AssemblyName>
|
|
||||||
<TargetFrameworkVersion>v3.5</TargetFrameworkVersion>
|
|
||||||
<FileAlignment>512</FileAlignment>
|
|
||||||
<SolutionDir Condition="$(SolutionDir) == '' Or $(SolutionDir) == '*Undefined*'">..\..\</SolutionDir>
|
|
||||||
<RestorePackages>true</RestorePackages>
|
|
||||||
</PropertyGroup>
|
|
||||||
<PropertyGroup Condition=" '$(Configuration)|$(Platform)' == 'Debug|AnyCPU' ">
|
|
||||||
<DebugSymbols>true</DebugSymbols>
|
|
||||||
<DebugType>full</DebugType>
|
|
||||||
<Optimize>false</Optimize>
|
|
||||||
<OutputPath>..\..\Output\Debug\Plugins\Wox.Plugin.Doc\</OutputPath>
|
|
||||||
<DefineConstants>DEBUG;TRACE</DefineConstants>
|
|
||||||
<ErrorReport>prompt</ErrorReport>
|
|
||||||
<WarningLevel>4</WarningLevel>
|
|
||||||
</PropertyGroup>
|
|
||||||
<PropertyGroup Condition=" '$(Configuration)|$(Platform)' == 'Release|AnyCPU' ">
|
|
||||||
<DebugType>pdbonly</DebugType>
|
|
||||||
<Optimize>true</Optimize>
|
|
||||||
<OutputPath>..\..\Output\Release\Plugins\Wox.Plugin.Doc\</OutputPath>
|
|
||||||
<DefineConstants>TRACE</DefineConstants>
|
|
||||||
<ErrorReport>prompt</ErrorReport>
|
|
||||||
<WarningLevel>4</WarningLevel>
|
|
||||||
</PropertyGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<Reference Include="System" />
|
|
||||||
<Reference Include="System.Core" />
|
|
||||||
<Reference Include="System.Data.SQLite, Version=1.0.90.0, Culture=neutral, PublicKeyToken=db937bc2d44ff139, processorArchitecture=MSIL">
|
|
||||||
<SpecificVersion>False</SpecificVersion>
|
|
||||||
<HintPath>..\..\packages\System.Data.SQLite.x64.1.0.90.0\lib\net20\System.Data.SQLite.dll</HintPath>
|
|
||||||
</Reference>
|
|
||||||
<Reference Include="System.Data.SQLite.Linq, Version=1.0.90.0, Culture=neutral, PublicKeyToken=db937bc2d44ff139, processorArchitecture=MSIL">
|
|
||||||
<SpecificVersion>False</SpecificVersion>
|
|
||||||
<HintPath>..\..\packages\System.Data.SQLite.x64.1.0.90.0\lib\net20\System.Data.SQLite.Linq.dll</HintPath>
|
|
||||||
</Reference>
|
|
||||||
<Reference Include="System.Drawing" />
|
|
||||||
<Reference Include="System.Windows.Forms" />
|
|
||||||
<Reference Include="System.Xml.Linq" />
|
|
||||||
<Reference Include="System.Data.DataSetExtensions" />
|
|
||||||
<Reference Include="System.Data" />
|
|
||||||
<Reference Include="System.Xml" />
|
|
||||||
</ItemGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<Compile Include="Doc.cs" />
|
|
||||||
<Compile Include="DocViewFrm.cs">
|
|
||||||
<SubType>Form</SubType>
|
|
||||||
</Compile>
|
|
||||||
<Compile Include="DocViewFrm.Designer.cs">
|
|
||||||
<DependentUpon>DocViewFrm.cs</DependentUpon>
|
|
||||||
</Compile>
|
|
||||||
<Compile Include="Main.cs" />
|
|
||||||
<Compile Include="Properties\AssemblyInfo.cs" />
|
|
||||||
</ItemGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<None Include="packages.config" />
|
|
||||||
<None Include="plugin.json">
|
|
||||||
<CopyToOutputDirectory>PreserveNewest</CopyToOutputDirectory>
|
|
||||||
</None>
|
|
||||||
<None Include="README.md" />
|
|
||||||
</ItemGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<ProjectReference Include="..\..\Wox.Plugin\Wox.Plugin.csproj">
|
|
||||||
<Project>{8451ecdd-2ea4-4966-bb0a-7bbc40138e80}</Project>
|
|
||||||
<Name>Wox.Plugin</Name>
|
|
||||||
</ProjectReference>
|
|
||||||
</ItemGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<Folder Include="Docs\" />
|
|
||||||
<Folder Include="Images\" />
|
|
||||||
</ItemGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<EmbeddedResource Include="DocViewFrm.resx">
|
|
||||||
<DependentUpon>DocViewFrm.cs</DependentUpon>
|
|
||||||
</EmbeddedResource>
|
|
||||||
</ItemGroup>
|
|
||||||
<Import Project="$(MSBuildToolsPath)\Microsoft.CSharp.targets" />
|
|
||||||
<PropertyGroup>
|
|
||||||
<PostBuildEvent>
|
|
||||||
</PostBuildEvent>
|
|
||||||
</PropertyGroup>
|
|
||||||
<Import Project="$(SolutionDir)\.nuget\NuGet.targets" Condition="Exists('$(SolutionDir)\.nuget\NuGet.targets')" />
|
|
||||||
<!-- To modify your build process, add your task inside one of the targets below and uncomment it.
|
|
||||||
Other similar extension points exist, see Microsoft.Common.targets.
|
|
||||||
<Target Name="BeforeBuild">
|
|
||||||
</Target>
|
|
||||||
<Target Name="AfterBuild">
|
|
||||||
</Target>
|
|
||||||
-->
|
|
||||||
</Project>
|
|
||||||
@@ -1,4 +0,0 @@
|
|||||||
<?xml version="1.0" encoding="utf-8"?>
|
|
||||||
<packages>
|
|
||||||
<package id="System.Data.SQLite.x64" version="1.0.90.0" targetFramework="net35" />
|
|
||||||
</packages>
|
|
||||||
@@ -1,11 +0,0 @@
|
|||||||
{
|
|
||||||
"ID":"D2D2C23B084D411DB66FE0C79D6C2A6B",
|
|
||||||
"ActionKeyword":"doc",
|
|
||||||
"Name":"Dash.Doc",
|
|
||||||
"Description":"Offline doc, inspired by dash",
|
|
||||||
"Author":"qianlifeng",
|
|
||||||
"Version":"1.0",
|
|
||||||
"Language":"csharp",
|
|
||||||
"Website":"http://www.getwox.com",
|
|
||||||
"ExecuteFileName":"Wox.Plugin.Doc.dll"
|
|
||||||
}
|
|
||||||
@@ -1,331 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Runtime.InteropServices;
|
|
||||||
using System.Text;
|
|
||||||
|
|
||||||
namespace Wox.Plugin.Everything
|
|
||||||
{
|
|
||||||
public sealed class EverythingAPI
|
|
||||||
{
|
|
||||||
|
|
||||||
#region Const
|
|
||||||
const string EVERYTHING_DLL_NAME = "Everything.dll";
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region DllImport
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern int Everything_SetSearch(string lpSearchString);
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern void Everything_SetMatchPath(bool bEnable);
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern void Everything_SetMatchCase(bool bEnable);
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern void Everything_SetMatchWholeWord(bool bEnable);
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern void Everything_SetRegex(bool bEnable);
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern void Everything_SetMax(int dwMax);
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern void Everything_SetOffset(int dwOffset);
|
|
||||||
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern bool Everything_GetMatchPath();
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern bool Everything_GetMatchCase();
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern bool Everything_GetMatchWholeWord();
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern bool Everything_GetRegex();
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern UInt32 Everything_GetMax();
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern UInt32 Everything_GetOffset();
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern string Everything_GetSearch();
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern StateCode Everything_GetLastError();
|
|
||||||
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME, EntryPoint = "Everything_QueryW")]
|
|
||||||
private static extern bool Everything_Query(bool bWait);
|
|
||||||
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern void Everything_SortResultsByPath();
|
|
||||||
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern int Everything_GetNumFileResults();
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern int Everything_GetNumFolderResults();
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern int Everything_GetNumResults();
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern int Everything_GetTotFileResults();
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern int Everything_GetTotFolderResults();
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern int Everything_GetTotResults();
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern bool Everything_IsVolumeResult(int nIndex);
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern bool Everything_IsFolderResult(int nIndex);
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern bool Everything_IsFileResult(int nIndex);
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern void Everything_GetResultFullPathName(int nIndex, StringBuilder lpString, int nMaxCount);
|
|
||||||
[DllImport(EVERYTHING_DLL_NAME)]
|
|
||||||
private static extern void Everything_Reset();
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region Enum
|
|
||||||
enum StateCode
|
|
||||||
{
|
|
||||||
OK,
|
|
||||||
MemoryError,
|
|
||||||
IPCError,
|
|
||||||
RegisterClassExError,
|
|
||||||
CreateWindowError,
|
|
||||||
CreateThreadError,
|
|
||||||
InvalidIndexError,
|
|
||||||
InvalidCallError
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region Property
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Gets or sets a value indicating whether [match path].
|
|
||||||
/// </summary>
|
|
||||||
/// <value><c>true</c> if [match path]; otherwise, <c>false</c>.</value>
|
|
||||||
public Boolean MatchPath
|
|
||||||
{
|
|
||||||
get
|
|
||||||
{
|
|
||||||
return Everything_GetMatchPath();
|
|
||||||
}
|
|
||||||
set
|
|
||||||
{
|
|
||||||
Everything_SetMatchPath(value);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Gets or sets a value indicating whether [match case].
|
|
||||||
/// </summary>
|
|
||||||
/// <value><c>true</c> if [match case]; otherwise, <c>false</c>.</value>
|
|
||||||
public Boolean MatchCase
|
|
||||||
{
|
|
||||||
get
|
|
||||||
{
|
|
||||||
return Everything_GetMatchCase();
|
|
||||||
}
|
|
||||||
set
|
|
||||||
{
|
|
||||||
Everything_SetMatchCase(value);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Gets or sets a value indicating whether [match whole word].
|
|
||||||
/// </summary>
|
|
||||||
/// <value><c>true</c> if [match whole word]; otherwise, <c>false</c>.</value>
|
|
||||||
public Boolean MatchWholeWord
|
|
||||||
{
|
|
||||||
get
|
|
||||||
{
|
|
||||||
return Everything_GetMatchWholeWord();
|
|
||||||
}
|
|
||||||
set
|
|
||||||
{
|
|
||||||
Everything_SetMatchWholeWord(value);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Gets or sets a value indicating whether [enable regex].
|
|
||||||
/// </summary>
|
|
||||||
/// <value><c>true</c> if [enable regex]; otherwise, <c>false</c>.</value>
|
|
||||||
public Boolean EnableRegex
|
|
||||||
{
|
|
||||||
get
|
|
||||||
{
|
|
||||||
return Everything_GetRegex();
|
|
||||||
}
|
|
||||||
set
|
|
||||||
{
|
|
||||||
Everything_SetRegex(value);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
|
|
||||||
#region Public Method
|
|
||||||
/// <summary>
|
|
||||||
/// Resets this instance.
|
|
||||||
/// </summary>
|
|
||||||
public void Reset()
|
|
||||||
{
|
|
||||||
Everything_Reset();
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Searches the specified key word.
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="keyWord">The key word.</param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public IEnumerable<SearchResult> Search(string keyWord)
|
|
||||||
{
|
|
||||||
return Search(keyWord, 0, int.MaxValue);
|
|
||||||
}
|
|
||||||
|
|
||||||
private void no()
|
|
||||||
{
|
|
||||||
switch (Everything_GetLastError())
|
|
||||||
{
|
|
||||||
case StateCode.CreateThreadError:
|
|
||||||
throw new CreateThreadException();
|
|
||||||
case StateCode.CreateWindowError:
|
|
||||||
throw new CreateWindowException();
|
|
||||||
case StateCode.InvalidCallError:
|
|
||||||
throw new InvalidCallException();
|
|
||||||
case StateCode.InvalidIndexError:
|
|
||||||
throw new InvalidIndexException();
|
|
||||||
case StateCode.IPCError:
|
|
||||||
throw new IPCErrorException();
|
|
||||||
case StateCode.MemoryError:
|
|
||||||
throw new MemoryErrorException();
|
|
||||||
case StateCode.RegisterClassExError:
|
|
||||||
throw new RegisterClassExException();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
/// Searches the specified key word.
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="keyWord">The key word.</param>
|
|
||||||
/// <param name="offset">The offset.</param>
|
|
||||||
/// <param name="maxCount">The max count.</param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public IEnumerable<SearchResult> Search(string keyWord, int offset, int maxCount)
|
|
||||||
{
|
|
||||||
if (string.IsNullOrEmpty(keyWord))
|
|
||||||
throw new ArgumentNullException("keyWord");
|
|
||||||
|
|
||||||
if (offset < 0)
|
|
||||||
throw new ArgumentOutOfRangeException("offset");
|
|
||||||
|
|
||||||
if (maxCount < 0)
|
|
||||||
throw new ArgumentOutOfRangeException("maxCount");
|
|
||||||
|
|
||||||
if (keyWord.StartsWith("@"))
|
|
||||||
{
|
|
||||||
Everything_SetRegex(true);
|
|
||||||
keyWord = keyWord.Substring(1);
|
|
||||||
}
|
|
||||||
Everything_SetSearch(keyWord);
|
|
||||||
Everything_SetOffset(offset);
|
|
||||||
Everything_SetMax(maxCount);
|
|
||||||
|
|
||||||
|
|
||||||
if (!Everything_Query(true))
|
|
||||||
{
|
|
||||||
switch (Everything_GetLastError())
|
|
||||||
{
|
|
||||||
case StateCode.CreateThreadError:
|
|
||||||
throw new CreateThreadException();
|
|
||||||
case StateCode.CreateWindowError:
|
|
||||||
throw new CreateWindowException();
|
|
||||||
case StateCode.InvalidCallError:
|
|
||||||
throw new InvalidCallException();
|
|
||||||
case StateCode.InvalidIndexError:
|
|
||||||
throw new InvalidIndexException();
|
|
||||||
case StateCode.IPCError:
|
|
||||||
throw new IPCErrorException();
|
|
||||||
case StateCode.MemoryError:
|
|
||||||
throw new MemoryErrorException();
|
|
||||||
case StateCode.RegisterClassExError:
|
|
||||||
throw new RegisterClassExException();
|
|
||||||
}
|
|
||||||
yield break;
|
|
||||||
}
|
|
||||||
|
|
||||||
Everything_SortResultsByPath();
|
|
||||||
|
|
||||||
const int bufferSize = 4096;
|
|
||||||
StringBuilder buffer = new StringBuilder(bufferSize);
|
|
||||||
for (int idx = 0; idx < Everything_GetNumResults(); ++idx)
|
|
||||||
{
|
|
||||||
Everything_GetResultFullPathName(idx, buffer, bufferSize);
|
|
||||||
|
|
||||||
var result = new SearchResult() { FullPath = buffer.ToString() };
|
|
||||||
if (Everything_IsFolderResult(idx))
|
|
||||||
result.Type = ResultType.Folder;
|
|
||||||
else if (Everything_IsFileResult(idx))
|
|
||||||
result.Type = ResultType.File;
|
|
||||||
|
|
||||||
yield return result;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
#endregion
|
|
||||||
}
|
|
||||||
|
|
||||||
public enum ResultType
|
|
||||||
{
|
|
||||||
Volume,
|
|
||||||
Folder,
|
|
||||||
File
|
|
||||||
}
|
|
||||||
|
|
||||||
public class SearchResult
|
|
||||||
{
|
|
||||||
public string FullPath { get; set; }
|
|
||||||
public ResultType Type { get; set; }
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
///
|
|
||||||
/// </summary>
|
|
||||||
public class MemoryErrorException : ApplicationException
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
///
|
|
||||||
/// </summary>
|
|
||||||
public class IPCErrorException : ApplicationException
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
///
|
|
||||||
/// </summary>
|
|
||||||
public class RegisterClassExException : ApplicationException
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
///
|
|
||||||
/// </summary>
|
|
||||||
public class CreateWindowException : ApplicationException
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
///
|
|
||||||
/// </summary>
|
|
||||||
public class CreateThreadException : ApplicationException
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
///
|
|
||||||
/// </summary>
|
|
||||||
public class InvalidIndexException : ApplicationException
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
/// <summary>
|
|
||||||
///
|
|
||||||
/// </summary>
|
|
||||||
public class InvalidCallException : ApplicationException
|
|
||||||
{
|
|
||||||
}
|
|
||||||
}
|
|
||||||
Binary file not shown.
|
Before Width: | Height: | Size: 4.2 KiB |
Binary file not shown.
|
Before Width: | Height: | Size: 2.4 KiB |
@@ -1,75 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.IO;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Text;
|
|
||||||
using System.Text.RegularExpressions;
|
|
||||||
|
|
||||||
namespace Wox.Plugin.Everything
|
|
||||||
{
|
|
||||||
public class Main : IPlugin
|
|
||||||
{
|
|
||||||
Wox.Plugin.PluginInitContext context;
|
|
||||||
EverythingAPI api = new EverythingAPI();
|
|
||||||
private static List<string> imageExts = new List<string>() { ".png", ".jpg", ".jpeg", ".gif", ".bmp", ".tiff", ".ico" };
|
|
||||||
|
|
||||||
public List<Result> Query(Query query)
|
|
||||||
{
|
|
||||||
var results = new List<Result>();
|
|
||||||
if (query.ActionParameters.Count > 0 && query.ActionParameters[0].Length > 0)
|
|
||||||
{
|
|
||||||
var keyword = string.Join(" ", query.ActionParameters.ToArray());
|
|
||||||
var enumerable = api.Search(keyword, 0, 100);
|
|
||||||
foreach (var s in enumerable)
|
|
||||||
{
|
|
||||||
var path = s.FullPath;
|
|
||||||
Result r = new Result();
|
|
||||||
r.Title = Path.GetFileName(path);
|
|
||||||
r.SubTitle = path;
|
|
||||||
r.IcoPath = GetIconPath(s);
|
|
||||||
r.Action = (c) =>
|
|
||||||
{
|
|
||||||
context.HideApp();
|
|
||||||
context.ShellRun(path);
|
|
||||||
return true;
|
|
||||||
};
|
|
||||||
results.Add(r);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
api.Reset();
|
|
||||||
|
|
||||||
return results;
|
|
||||||
}
|
|
||||||
|
|
||||||
private string GetIconPath(SearchResult s)
|
|
||||||
{
|
|
||||||
if (s.Type == ResultType.Folder)
|
|
||||||
{
|
|
||||||
return "Images\\folder.png";
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
var ext = Path.GetExtension(s.FullPath);
|
|
||||||
if (!string.IsNullOrEmpty(ext) && imageExts.Contains(ext.ToLower()))
|
|
||||||
return "Images\\image.png";
|
|
||||||
else
|
|
||||||
return s.FullPath;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
[System.Runtime.InteropServices.DllImport("kernel32.dll")]
|
|
||||||
private static extern int LoadLibrary(string name);
|
|
||||||
|
|
||||||
public void Init(Wox.Plugin.PluginInitContext context)
|
|
||||||
{
|
|
||||||
this.context = context;
|
|
||||||
|
|
||||||
LoadLibrary(Path.Combine(
|
|
||||||
Path.Combine(context.CurrentPluginMetadata.PluginDirecotry, (IntPtr.Size == 4) ? "x86" : "x64"),
|
|
||||||
"Everything.dll"
|
|
||||||
));
|
|
||||||
//init everything
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
@@ -1,36 +0,0 @@
|
|||||||
using System.Reflection;
|
|
||||||
using System.Runtime.CompilerServices;
|
|
||||||
using System.Runtime.InteropServices;
|
|
||||||
|
|
||||||
// 有关程序集的常规信息通过以下
|
|
||||||
// 特性集控制。更改这些特性值可修改
|
|
||||||
// 与程序集关联的信息。
|
|
||||||
[assembly: AssemblyTitle("Wox.Plugin.Everything")]
|
|
||||||
[assembly: AssemblyDescription("https://github.com/qianlifeng/Wox")]
|
|
||||||
[assembly: AssemblyConfiguration("")]
|
|
||||||
[assembly: AssemblyCompany("")]
|
|
||||||
[assembly: AssemblyProduct("Wox.Plugin.Everything")]
|
|
||||||
[assembly: AssemblyCopyright("The MIT License (MIT)")]
|
|
||||||
[assembly: AssemblyTrademark("")]
|
|
||||||
[assembly: AssemblyCulture("")]
|
|
||||||
|
|
||||||
// 将 ComVisible 设置为 false 使此程序集中的类型
|
|
||||||
// 对 COM 组件不可见。如果需要从 COM 访问此程序集中的类型,
|
|
||||||
// 则将该类型上的 ComVisible 特性设置为 true。
|
|
||||||
[assembly: ComVisible(false)]
|
|
||||||
|
|
||||||
// 如果此项目向 COM 公开,则下列 GUID 用于类型库的 ID
|
|
||||||
[assembly: Guid("97f6ccd0-e9dc-4aa2-b4ce-6b9f14ea20a7")]
|
|
||||||
|
|
||||||
// 程序集的版本信息由下面四个值组成:
|
|
||||||
//
|
|
||||||
// 主版本
|
|
||||||
// 次版本
|
|
||||||
// 生成号
|
|
||||||
// 修订号
|
|
||||||
//
|
|
||||||
// 可以指定所有这些值,也可以使用“生成号”和“修订号”的默认值,
|
|
||||||
// 方法是按如下所示使用“*”:
|
|
||||||
// [assembly: AssemblyVersion("1.0.*")]
|
|
||||||
[assembly: AssemblyVersion("1.0.0.0")]
|
|
||||||
[assembly: AssemblyFileVersion("1.0.0.0")]
|
|
||||||
@@ -1,87 +0,0 @@
|
|||||||
<?xml version="1.0" encoding="utf-8"?>
|
|
||||||
<Project ToolsVersion="4.0" DefaultTargets="Build" xmlns="http://schemas.microsoft.com/developer/msbuild/2003">
|
|
||||||
<Import Project="$(MSBuildExtensionsPath)\$(MSBuildToolsVersion)\Microsoft.Common.props" Condition="Exists('$(MSBuildExtensionsPath)\$(MSBuildToolsVersion)\Microsoft.Common.props')" />
|
|
||||||
<PropertyGroup>
|
|
||||||
<Configuration Condition=" '$(Configuration)' == '' ">Debug</Configuration>
|
|
||||||
<Platform Condition=" '$(Platform)' == '' ">AnyCPU</Platform>
|
|
||||||
<ProjectGuid>{230AE83F-E92E-4E69-8355-426B305DA9C0}</ProjectGuid>
|
|
||||||
<OutputType>Library</OutputType>
|
|
||||||
<AppDesignerFolder>Properties</AppDesignerFolder>
|
|
||||||
<RootNamespace>Wox.Plugin.Everything</RootNamespace>
|
|
||||||
<AssemblyName>Wox.Plugin.Everything</AssemblyName>
|
|
||||||
<TargetFrameworkVersion>v3.5</TargetFrameworkVersion>
|
|
||||||
<FileAlignment>512</FileAlignment>
|
|
||||||
</PropertyGroup>
|
|
||||||
<PropertyGroup Condition=" '$(Configuration)|$(Platform)' == 'Debug|AnyCPU' ">
|
|
||||||
<DebugSymbols>true</DebugSymbols>
|
|
||||||
<DebugType>full</DebugType>
|
|
||||||
<Optimize>false</Optimize>
|
|
||||||
<OutputPath>..\..\Output\Debug\Plugins\Wox.Plugin.Everything\</OutputPath>
|
|
||||||
<DefineConstants>DEBUG;TRACE</DefineConstants>
|
|
||||||
<ErrorReport>prompt</ErrorReport>
|
|
||||||
<WarningLevel>4</WarningLevel>
|
|
||||||
<PlatformTarget>AnyCPU</PlatformTarget>
|
|
||||||
</PropertyGroup>
|
|
||||||
<PropertyGroup Condition=" '$(Configuration)|$(Platform)' == 'Release|AnyCPU' ">
|
|
||||||
<DebugType>pdbonly</DebugType>
|
|
||||||
<Optimize>true</Optimize>
|
|
||||||
<OutputPath>..\..\Output\Release\Plugins\Wox.Plugin.Everything\</OutputPath>
|
|
||||||
<DefineConstants>TRACE</DefineConstants>
|
|
||||||
<ErrorReport>prompt</ErrorReport>
|
|
||||||
<WarningLevel>4</WarningLevel>
|
|
||||||
</PropertyGroup>
|
|
||||||
<PropertyGroup>
|
|
||||||
<StartupObject />
|
|
||||||
</PropertyGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<Reference Include="System" />
|
|
||||||
<Reference Include="System.Core" />
|
|
||||||
<Reference Include="System.Xml.Linq" />
|
|
||||||
<Reference Include="System.Data.DataSetExtensions" />
|
|
||||||
<Reference Include="System.Data" />
|
|
||||||
<Reference Include="System.Xml" />
|
|
||||||
</ItemGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<Compile Include="Main.cs" />
|
|
||||||
<Compile Include="EverythingAPI.cs" />
|
|
||||||
<Compile Include="Properties\AssemblyInfo.cs" />
|
|
||||||
</ItemGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<ProjectReference Include="..\..\Wox.Plugin\Wox.Plugin.csproj">
|
|
||||||
<Project>{8451ecdd-2ea4-4966-bb0a-7bbc40138e80}</Project>
|
|
||||||
<Name>Wox.Plugin</Name>
|
|
||||||
</ProjectReference>
|
|
||||||
</ItemGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<Content Include="Images\folder.png">
|
|
||||||
<CopyToOutputDirectory>PreserveNewest</CopyToOutputDirectory>
|
|
||||||
</Content>
|
|
||||||
<Content Include="Images\image.png">
|
|
||||||
<CopyToOutputDirectory>PreserveNewest</CopyToOutputDirectory>
|
|
||||||
</Content>
|
|
||||||
<Content Include="x64\Everything.dll">
|
|
||||||
<CopyToOutputDirectory>PreserveNewest</CopyToOutputDirectory>
|
|
||||||
</Content>
|
|
||||||
<Content Include="x86\Everything.dll">
|
|
||||||
<CopyToOutputDirectory>PreserveNewest</CopyToOutputDirectory>
|
|
||||||
</Content>
|
|
||||||
</ItemGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<None Include="plugin.json">
|
|
||||||
<CopyToOutputDirectory>PreserveNewest</CopyToOutputDirectory>
|
|
||||||
</None>
|
|
||||||
</ItemGroup>
|
|
||||||
<ItemGroup />
|
|
||||||
<Import Project="$(MSBuildToolsPath)\Microsoft.CSharp.targets" />
|
|
||||||
<PropertyGroup>
|
|
||||||
<PostBuildEvent>
|
|
||||||
</PostBuildEvent>
|
|
||||||
</PropertyGroup>
|
|
||||||
<!-- To modify your build process, add your task inside one of the targets below and uncomment it.
|
|
||||||
Other similar extension points exist, see Microsoft.Common.targets.
|
|
||||||
<Target Name="BeforeBuild">
|
|
||||||
</Target>
|
|
||||||
<Target Name="AfterBuild">
|
|
||||||
</Target>
|
|
||||||
-->
|
|
||||||
</Project>
|
|
||||||
File diff suppressed because it is too large
Load Diff
@@ -1,51 +0,0 @@
|
|||||||
LIBRARY Everything
|
|
||||||
|
|
||||||
EXPORTS
|
|
||||||
|
|
||||||
Everything_GetLastError
|
|
||||||
|
|
||||||
Everything_SetSearchA
|
|
||||||
Everything_SetSearchW
|
|
||||||
Everything_SetMatchPath
|
|
||||||
Everything_SetMatchCase
|
|
||||||
Everything_SetMatchWholeWord
|
|
||||||
Everything_SetRegex
|
|
||||||
Everything_SetMax
|
|
||||||
Everything_SetOffset
|
|
||||||
|
|
||||||
Everything_GetSearchA
|
|
||||||
Everything_GetSearchW
|
|
||||||
Everything_GetMatchPath
|
|
||||||
Everything_GetMatchCase
|
|
||||||
Everything_GetMatchWholeWord
|
|
||||||
Everything_GetRegex
|
|
||||||
Everything_GetMax
|
|
||||||
Everything_GetOffset
|
|
||||||
|
|
||||||
Everything_QueryA
|
|
||||||
Everything_QueryW
|
|
||||||
|
|
||||||
Everything_IsQueryReply
|
|
||||||
|
|
||||||
Everything_SortResultsByPath
|
|
||||||
|
|
||||||
Everything_GetNumFileResults
|
|
||||||
Everything_GetNumFolderResults
|
|
||||||
Everything_GetNumResults
|
|
||||||
Everything_GetTotFileResults
|
|
||||||
Everything_GetTotFolderResults
|
|
||||||
Everything_GetTotResults
|
|
||||||
|
|
||||||
Everything_IsVolumeResult
|
|
||||||
Everything_IsFolderResult
|
|
||||||
Everything_IsFileResult
|
|
||||||
|
|
||||||
Everything_GetResultFileNameA
|
|
||||||
Everything_GetResultFileNameW
|
|
||||||
Everything_GetResultPathA
|
|
||||||
Everything_GetResultPathW
|
|
||||||
Everything_GetResultFullPathNameA
|
|
||||||
Everything_GetResultFullPathNameW
|
|
||||||
|
|
||||||
Everything_Reset
|
|
||||||
|
|
||||||
@@ -1,95 +0,0 @@
|
|||||||
|
|
||||||
#ifndef _EVERYTHING_DLL_
|
|
||||||
#define _EVERYTHING_DLL_
|
|
||||||
|
|
||||||
#ifndef _INC_WINDOWS
|
|
||||||
#include <windows.h>
|
|
||||||
#endif
|
|
||||||
|
|
||||||
#define EVERYTHING_OK 0
|
|
||||||
#define EVERYTHING_ERROR_MEMORY 1
|
|
||||||
#define EVERYTHING_ERROR_IPC 2
|
|
||||||
#define EVERYTHING_ERROR_REGISTERCLASSEX 3
|
|
||||||
#define EVERYTHING_ERROR_CREATEWINDOW 4
|
|
||||||
#define EVERYTHING_ERROR_CREATETHREAD 5
|
|
||||||
#define EVERYTHING_ERROR_INVALIDINDEX 6
|
|
||||||
#define EVERYTHING_ERROR_INVALIDCALL 7
|
|
||||||
|
|
||||||
#ifndef EVERYTHINGAPI
|
|
||||||
#define EVERYTHINGAPI __stdcall
|
|
||||||
#endif
|
|
||||||
|
|
||||||
#ifndef EVERYTHINGUSERAPI
|
|
||||||
#define EVERYTHINGUSERAPI __declspec(dllimport)
|
|
||||||
#endif
|
|
||||||
|
|
||||||
// write search state
|
|
||||||
EVERYTHINGUSERAPI VOID EVERYTHINGAPI Everything_SetSearchW(LPCWSTR lpString);
|
|
||||||
EVERYTHINGUSERAPI VOID EVERYTHINGAPI Everything_SetSearchA(LPCSTR lpString);
|
|
||||||
EVERYTHINGUSERAPI VOID EVERYTHINGAPI Everything_SetMatchPath(BOOL bEnable);
|
|
||||||
EVERYTHINGUSERAPI VOID EVERYTHINGAPI Everything_SetMatchCase(BOOL bEnable);
|
|
||||||
EVERYTHINGUSERAPI VOID EVERYTHINGAPI Everything_SetMatchWholeWord(BOOL bEnable);
|
|
||||||
EVERYTHINGUSERAPI VOID EVERYTHINGAPI Everything_SetRegex(BOOL bEnable);
|
|
||||||
EVERYTHINGUSERAPI VOID EVERYTHINGAPI Everything_SetMax(DWORD dwMax);
|
|
||||||
EVERYTHINGUSERAPI VOID EVERYTHINGAPI Everything_SetOffset(DWORD dwOffset);
|
|
||||||
EVERYTHINGUSERAPI VOID EVERYTHINGAPI Everything_SetReplyWindow(HWND hWnd);
|
|
||||||
EVERYTHINGUSERAPI VOID EVERYTHINGAPI Everything_SetReplyID(DWORD nId);
|
|
||||||
|
|
||||||
// read search state
|
|
||||||
EVERYTHINGUSERAPI BOOL EVERYTHINGAPI Everything_GetMatchPath(VOID);
|
|
||||||
EVERYTHINGUSERAPI BOOL EVERYTHINGAPI Everything_GetMatchCase(VOID);
|
|
||||||
EVERYTHINGUSERAPI BOOL EVERYTHINGAPI Everything_GetMatchWholeWord(VOID);
|
|
||||||
EVERYTHINGUSERAPI BOOL EVERYTHINGAPI Everything_GetRegex(VOID);
|
|
||||||
EVERYTHINGUSERAPI DWORD EVERYTHINGAPI Everything_GetMax(VOID);
|
|
||||||
EVERYTHINGUSERAPI DWORD EVERYTHINGAPI Everything_GetOffset(VOID);
|
|
||||||
EVERYTHINGUSERAPI LPCSTR EVERYTHINGAPI Everything_GetSearchA(VOID);
|
|
||||||
EVERYTHINGUSERAPI LPCWSTR EVERYTHINGAPI Everything_GetSearchW(VOID);
|
|
||||||
EVERYTHINGUSERAPI DWORD EVERYTHINGAPI Everything_GetLastError(VOID);
|
|
||||||
EVERYTHINGUSERAPI HWND EVERYTHINGAPI Everything_GetReplyWindow(VOID);
|
|
||||||
EVERYTHINGUSERAPI DWORD EVERYTHINGAPI Everything_GetReplyID(VOID);
|
|
||||||
|
|
||||||
// execute query
|
|
||||||
EVERYTHINGUSERAPI BOOL EVERYTHINGAPI Everything_QueryA(BOOL bWait);
|
|
||||||
EVERYTHINGUSERAPI BOOL EVERYTHINGAPI Everything_QueryW(BOOL bWait);
|
|
||||||
|
|
||||||
// query reply
|
|
||||||
BOOL EVERYTHINGAPI Everything_IsQueryReply(UINT message,WPARAM wParam,LPARAM lParam,DWORD nId);
|
|
||||||
|
|
||||||
// write result state
|
|
||||||
EVERYTHINGUSERAPI VOID EVERYTHINGAPI Everything_SortResultsByPath(VOID);
|
|
||||||
|
|
||||||
// read result state
|
|
||||||
EVERYTHINGUSERAPI int EVERYTHINGAPI Everything_GetNumFileResults(VOID);
|
|
||||||
EVERYTHINGUSERAPI int EVERYTHINGAPI Everything_GetNumFolderResults(VOID);
|
|
||||||
EVERYTHINGUSERAPI int EVERYTHINGAPI Everything_GetNumResults(VOID);
|
|
||||||
EVERYTHINGUSERAPI int EVERYTHINGAPI Everything_GetTotFileResults(VOID);
|
|
||||||
EVERYTHINGUSERAPI int EVERYTHINGAPI Everything_GetTotFolderResults(VOID);
|
|
||||||
EVERYTHINGUSERAPI int EVERYTHINGAPI Everything_GetTotResults(VOID);
|
|
||||||
EVERYTHINGUSERAPI BOOL EVERYTHINGAPI Everything_IsVolumeResult(int nIndex);
|
|
||||||
EVERYTHINGUSERAPI BOOL EVERYTHINGAPI Everything_IsFolderResult(int nIndex);
|
|
||||||
EVERYTHINGUSERAPI BOOL EVERYTHINGAPI Everything_IsFileResult(int nIndex);
|
|
||||||
EVERYTHINGUSERAPI LPCWSTR EVERYTHINGAPI Everything_GetResultFileNameW(int nIndex);
|
|
||||||
EVERYTHINGUSERAPI LPCSTR EVERYTHINGAPI Everything_GetResultFileNameA(int nIndex);
|
|
||||||
EVERYTHINGUSERAPI LPCWSTR EVERYTHINGAPI Everything_GetResultPathW(int nIndex);
|
|
||||||
EVERYTHINGUSERAPI LPCSTR EVERYTHINGAPI Everything_GetResultPathA(int nIndex);
|
|
||||||
EVERYTHINGUSERAPI int Everything_GetResultFullPathNameW(int nIndex,LPWSTR wbuf,int wbuf_size_in_wchars);
|
|
||||||
EVERYTHINGUSERAPI int Everything_GetResultFullPathNameA(int nIndex,LPSTR buf,int bufsize);
|
|
||||||
EVERYTHINGUSERAPI VOID Everything_Reset(VOID);
|
|
||||||
|
|
||||||
#ifdef UNICODE
|
|
||||||
#define Everything_SetSearch Everything_SetSearchW
|
|
||||||
#define Everything_GetSearch Everything_GetSearchW
|
|
||||||
#define Everything_Query Everything_QueryW
|
|
||||||
#define Everything_GetResultFileName Everything_GetResultFileNameW
|
|
||||||
#define Everything_GetResultPath Everything_GetResultPathW
|
|
||||||
#else
|
|
||||||
#define Everything_SetSearch Everything_SetSearchA
|
|
||||||
#define Everything_GetSearch Everything_GetSearchA
|
|
||||||
#define Everything_Query Everything_QueryA
|
|
||||||
#define Everything_GetResultFileName Everything_GetResultFileNameA
|
|
||||||
#define Everything_GetResultPath Everything_GetResultPathA
|
|
||||||
#endif
|
|
||||||
|
|
||||||
|
|
||||||
#endif
|
|
||||||
|
|
||||||
@@ -1,287 +0,0 @@
|
|||||||
|
|
||||||
// Everything IPC
|
|
||||||
|
|
||||||
#ifndef _EVERYTHING_IPC_H_
|
|
||||||
#define _EVERYTHING_IPC_H_
|
|
||||||
|
|
||||||
// C
|
|
||||||
#ifdef __cplusplus
|
|
||||||
extern "C" {
|
|
||||||
#endif
|
|
||||||
|
|
||||||
// 1 byte packing for our varible sized structs
|
|
||||||
#pragma pack(push, 1)
|
|
||||||
|
|
||||||
// WM_USER (send to the taskbar notification window)
|
|
||||||
// SendMessage(FindWindow(EVERYTHING_IPC_WNDCLASS,0),WM_USER,EVERYTHING_IPC_*,lParam)
|
|
||||||
// version format: major.minor.revision.build
|
|
||||||
// example: 1.1.4.309
|
|
||||||
#define EVERYTHING_IPC_GET_MAJOR_VERSION 0 // int major_version = (int)SendMessage(hwnd,WM_USER,EVERYTHING_IPC_GET_MAJOR_VERSION,0);
|
|
||||||
#define EVERYTHING_IPC_GET_MINOR_VERSION 1 // int minor_version = (int)SendMessage(hwnd,WM_USER,EVERYTHING_IPC_GET_MINOR_VERSION,0);
|
|
||||||
#define EVERYTHING_IPC_GET_REVISION 2 // int revision = (int)SendMessage(hwnd,WM_USER,EVERYTHING_IPC_GET_REVISION,0);
|
|
||||||
#define EVERYTHING_IPC_GET_BUILD_NUMBER 3 // int build = (int)SendMessage(hwnd,WM_USER,EVERYTHING_IPC_GET_BUILD,0);
|
|
||||||
|
|
||||||
// uninstall options
|
|
||||||
#define EVERYTHING_IPC_DELETE_START_MENU_SHORTCUTS 100 // SendMessage(hwnd,WM_USER,EVERYTHING_IPC_DELETE_START_MENU_SHORTCUTS,0);
|
|
||||||
#define EVERYTHING_IPC_DELETE_QUICK_LAUNCH_SHORTCUT 101 // SendMessage(hwnd,WM_USER,EVERYTHING_IPC_DELETE_QUICK_LAUNCH_SHORTCUT,0);
|
|
||||||
#define EVERYTHING_IPC_DELETE_DESKTOP_SHORTCUT 102 // SendMessage(hwnd,WM_USER,EVERYTHING_IPC_DELETE_DESKTOP_SHORTCUT,0);
|
|
||||||
#define EVERYTHING_IPC_DELETE_FOLDER_CONTEXT_MENU 103 // SendMessage(hwnd,WM_USER,EVERYTHING_IPC_DELETE_FOLDER_CONTEXT_MENU,0);
|
|
||||||
#define EVERYTHING_IPC_DELETE_RUN_ON_SYSTEM_STARTUP 104 // SendMessage(hwnd,WM_USER,EVERYTHING_IPC_DELETE_RUN_ON_SYSTEM_STARTUP,0);
|
|
||||||
|
|
||||||
// install options
|
|
||||||
#define EVERYTHING_IPC_CREATE_START_MENU_SHORTCUTS 200 // SendMessage(hwnd,WM_USER,EVERYTHING_IPC_CREATE_START_MENU_SHORTCUTS,0);
|
|
||||||
#define EVERYTHING_IPC_CREATE_QUICK_LAUNCH_SHORTCUT 201 // SendMessage(hwnd,WM_USER,EVERYTHING_IPC_CREATE_QUICK_LAUNCH_SHORTCUT,0);
|
|
||||||
#define EVERYTHING_IPC_CREATE_DESKTOP_SHORTCUT 202 // SendMessage(hwnd,WM_USER,EVERYTHING_IPC_CREATE_DESKTOP_SHORTCUT,0);
|
|
||||||
#define EVERYTHING_IPC_CREATE_FOLDER_CONTEXT_MENU 203 // SendMessage(hwnd,WM_USER,EVERYTHING_IPC_CREATE_FOLDER_CONTEXT_MENU,0);
|
|
||||||
#define EVERYTHING_IPC_CREATE_RUN_ON_SYSTEM_STARTUP 204 // SendMessage(hwnd,WM_USER,EVERYTHING_IPC_CREATE_RUN_ON_SYSTEM_STARTUP,0);
|
|
||||||
|
|
||||||
// get option status; 0 = no, 1 = yes, 2 = indeterminate (partially installed)
|
|
||||||
#define EVERYTHING_IPC_IS_START_MENU_SHORTCUTS 300 // int ret = (int)SendMessage(hwnd,WM_USER,EVERYTHING_IPC_IS_START_MENU_SHORTCUTS,0);
|
|
||||||
#define EVERYTHING_IPC_IS_QUICK_LAUNCH_SHORTCUT 301 // int ret = (int)SendMessage(hwnd,WM_USER,EVERYTHING_IPC_IS_QUICK_LAUNCH_SHORTCUT,0);
|
|
||||||
#define EVERYTHING_IPC_IS_DESKTOP_SHORTCUT 302 // int ret = (int)SendMessage(hwnd,WM_USER,EVERYTHING_IPC_IS_DESKTOP_SHORTCUT,0);
|
|
||||||
#define EVERYTHING_IPC_IS_FOLDER_CONTEXT_MENU 303 // int ret = (int)SendMessage(hwnd,WM_USER,EVERYTHING_IPC_IS_FOLDER_CONTEXT_MENU,0);
|
|
||||||
#define EVERYTHING_IPC_IS_RUN_ON_SYSTEM_STARTUP 304 // int ret = (int)SendMessage(hwnd,WM_USER,EVERYTHING_IPC_IS_RUN_ON_SYSTEM_STARTUP,0);
|
|
||||||
|
|
||||||
// find the everything window
|
|
||||||
#define EVERYTHING_IPC_WNDCLASS TEXT("EVERYTHING_TASKBAR_NOTIFICATION")
|
|
||||||
|
|
||||||
// find a everything search window
|
|
||||||
#define EVERYTHING_IPC_SEARCH_WNDCLASS TEXT("EVERYTHING")
|
|
||||||
|
|
||||||
// this global window message is sent to all top level windows when everything starts.
|
|
||||||
#define EVERYTHING_IPC_CREATED TEXT("EVERYTHING_IPC_CREATED")
|
|
||||||
|
|
||||||
// search flags for querys
|
|
||||||
#define EVERYTHING_IPC_MATCHCASE 0x00000001 // match case
|
|
||||||
#define EVERYTHING_IPC_MATCHWHOLEWORD 0x00000002 // match whole word
|
|
||||||
#define EVERYTHING_IPC_MATCHPATH 0x00000004 // include paths in search
|
|
||||||
#define EVERYTHING_IPC_REGEX 0x00000008 // enable regex
|
|
||||||
|
|
||||||
// item flags
|
|
||||||
#define EVERYTHING_IPC_FOLDER 0x00000001 // The item is a folder. (its a file if not set)
|
|
||||||
#define EVERYTHING_IPC_DRIVE 0x00000002 // The folder is a drive. Path will be an empty string.
|
|
||||||
// (will also have the folder bit set)
|
|
||||||
|
|
||||||
// the WM_COPYDATA message for a query.
|
|
||||||
#define EVERYTHING_IPC_COPYDATAQUERYA 1
|
|
||||||
#define EVERYTHING_IPC_COPYDATAQUERYW 2
|
|
||||||
|
|
||||||
// all results
|
|
||||||
#define EVERYTHING_IPC_ALLRESULTS 0xFFFFFFFF // all results
|
|
||||||
|
|
||||||
// macro to get the filename of an item
|
|
||||||
#define EVERYTHING_IPC_ITEMFILENAMEA(list,item) (CHAR *)((CHAR *)(list) + ((EVERYTHING_IPC_ITEMA *)(item))->filename_offset)
|
|
||||||
#define EVERYTHING_IPC_ITEMFILENAMEW(list,item) (WCHAR *)((CHAR *)(list) + ((EVERYTHING_IPC_ITEMW *)(item))->filename_offset)
|
|
||||||
|
|
||||||
// macro to get the path of an item
|
|
||||||
#define EVERYTHING_IPC_ITEMPATHA(list,item) (CHAR *)((CHAR *)(list) + ((EVERYTHING_IPC_ITEMW *)(item))->path_offset)
|
|
||||||
#define EVERYTHING_IPC_ITEMPATHW(list,item) (WCHAR *)((CHAR *)(list) + ((EVERYTHING_IPC_ITEMW *)(item))->path_offset)
|
|
||||||
|
|
||||||
//
|
|
||||||
// Varible sized query struct sent to everything.
|
|
||||||
//
|
|
||||||
// sent in the form of a WM_COPYDAYA message with EVERYTHING_IPC_COPYDATAQUERY as the
|
|
||||||
// dwData member in the COPYDATASTRUCT struct.
|
|
||||||
// set the lpData member of the COPYDATASTRUCT struct to point to your EVERYTHING_IPC_QUERY struct.
|
|
||||||
// set the cbData member of the COPYDATASTRUCT struct to the size of the
|
|
||||||
// EVERYTHING_IPC_QUERY struct minus the size of a CHAR plus the length of the search string in bytes plus
|
|
||||||
// one CHAR for the null terminator.
|
|
||||||
//
|
|
||||||
// NOTE: to determine the size of this structure use
|
|
||||||
// ASCII: sizeof(EVERYTHING_IPC_QUERYA) - sizeof(CHAR) + strlen(search_string)*sizeof(CHAR) + sizeof(CHAR)
|
|
||||||
// UNICODE: sizeof(EVERYTHING_IPC_QUERYW) - sizeof(WCHAR) + unicode_length_in_wchars(search_string)*sizeof(WCHAR) + sizeof(WCHAR)
|
|
||||||
//
|
|
||||||
// NOTE: Everything will only do one query per window.
|
|
||||||
// Sending another query when a query has not completed
|
|
||||||
// will cancel the old query and start the new one.
|
|
||||||
//
|
|
||||||
// Everything will send the results to the reply_hwnd in the form of a
|
|
||||||
// WM_COPYDAYA message with the dwData value you specify.
|
|
||||||
//
|
|
||||||
// Everything will return TRUE if successful.
|
|
||||||
// returns FALSE if not supported.
|
|
||||||
//
|
|
||||||
// If you query with EVERYTHING_IPC_COPYDATAQUERYW, the results sent from Everything will be Unicode.
|
|
||||||
//
|
|
||||||
|
|
||||||
typedef struct EVERYTHING_IPC_QUERYW
|
|
||||||
{
|
|
||||||
// the window that will receive the new results.
|
|
||||||
INT32 reply_hwnd;
|
|
||||||
|
|
||||||
// the value to set the dwData member in the COPYDATASTRUCT struct
|
|
||||||
// sent by Everything when the query is complete.
|
|
||||||
INT32 reply_copydata_message;
|
|
||||||
|
|
||||||
// search flags (see EVERYTHING_MATCHCASE | EVERYTHING_MATCHWHOLEWORD | EVERYTHING_MATCHPATH)
|
|
||||||
INT32 search_flags;
|
|
||||||
|
|
||||||
// only return results after 'offset' results (0 to return the first result)
|
|
||||||
// useful for scrollable lists
|
|
||||||
INT32 offset;
|
|
||||||
|
|
||||||
// the number of results to return
|
|
||||||
// zero to return no results
|
|
||||||
// EVERYTHING_IPC_ALLRESULTS to return ALL results
|
|
||||||
INT32 max_results;
|
|
||||||
|
|
||||||
// null terminated string. arbitrary sized search_string buffer.
|
|
||||||
INT32 search_string[1];
|
|
||||||
|
|
||||||
}EVERYTHING_IPC_QUERYW;
|
|
||||||
|
|
||||||
// ASCII version
|
|
||||||
typedef struct EVERYTHING_IPC_QUERYA
|
|
||||||
{
|
|
||||||
// the window that will receive the new results.
|
|
||||||
INT32 reply_hwnd;
|
|
||||||
|
|
||||||
// the value to set the dwData member in the COPYDATASTRUCT struct
|
|
||||||
// sent by Everything when the query is complete.
|
|
||||||
INT32 reply_copydata_message;
|
|
||||||
|
|
||||||
// search flags (see EVERYTHING_MATCHCASE | EVERYTHING_MATCHWHOLEWORD | EVERYTHING_MATCHPATH)
|
|
||||||
INT32 search_flags;
|
|
||||||
|
|
||||||
// only return results after 'offset' results (0 to return the first result)
|
|
||||||
// useful for scrollable lists
|
|
||||||
INT32 offset;
|
|
||||||
|
|
||||||
// the number of results to return
|
|
||||||
// zero to return no results
|
|
||||||
// EVERYTHING_IPC_ALLRESULTS to return ALL results
|
|
||||||
INT32 max_results;
|
|
||||||
|
|
||||||
// null terminated string. arbitrary sized search_string buffer.
|
|
||||||
INT32 search_string[1];
|
|
||||||
|
|
||||||
}EVERYTHING_IPC_QUERYA;
|
|
||||||
|
|
||||||
//
|
|
||||||
// Varible sized result list struct received from Everything.
|
|
||||||
//
|
|
||||||
// Sent in the form of a WM_COPYDATA message to the hwnd specifed in the
|
|
||||||
// EVERYTHING_IPC_QUERY struct.
|
|
||||||
// the dwData member of the COPYDATASTRUCT struct will match the sent
|
|
||||||
// reply_copydata_message member in the EVERYTHING_IPC_QUERY struct.
|
|
||||||
//
|
|
||||||
// make a copy of the data before returning.
|
|
||||||
//
|
|
||||||
// return TRUE if you processed the WM_COPYDATA message.
|
|
||||||
//
|
|
||||||
|
|
||||||
typedef struct EVERYTHING_IPC_ITEMW
|
|
||||||
{
|
|
||||||
// item flags
|
|
||||||
DWORD flags;
|
|
||||||
|
|
||||||
// The offset of the filename from the beginning of the list structure.
|
|
||||||
// (wchar_t *)((char *)everything_list + everythinglist->name_offset)
|
|
||||||
DWORD filename_offset;
|
|
||||||
|
|
||||||
// The offset of the filename from the beginning of the list structure.
|
|
||||||
// (wchar_t *)((char *)everything_list + everythinglist->path_offset)
|
|
||||||
DWORD path_offset;
|
|
||||||
|
|
||||||
}EVERYTHING_IPC_ITEMW;
|
|
||||||
|
|
||||||
typedef struct EVERYTHING_IPC_ITEMA
|
|
||||||
{
|
|
||||||
// item flags
|
|
||||||
DWORD flags;
|
|
||||||
|
|
||||||
// The offset of the filename from the beginning of the list structure.
|
|
||||||
// (char *)((char *)everything_list + everythinglist->name_offset)
|
|
||||||
DWORD filename_offset;
|
|
||||||
|
|
||||||
// The offset of the filename from the beginning of the list structure.
|
|
||||||
// (char *)((char *)everything_list + everythinglist->path_offset)
|
|
||||||
DWORD path_offset;
|
|
||||||
|
|
||||||
}EVERYTHING_IPC_ITEMA;
|
|
||||||
|
|
||||||
typedef struct EVERYTHING_IPC_LISTW
|
|
||||||
{
|
|
||||||
// the total number of folders found.
|
|
||||||
DWORD totfolders;
|
|
||||||
|
|
||||||
// the total number of files found.
|
|
||||||
DWORD totfiles;
|
|
||||||
|
|
||||||
// totfolders + totfiles
|
|
||||||
DWORD totitems;
|
|
||||||
|
|
||||||
// the number of folders available.
|
|
||||||
DWORD numfolders;
|
|
||||||
|
|
||||||
// the number of files available.
|
|
||||||
DWORD numfiles;
|
|
||||||
|
|
||||||
// the number of items available.
|
|
||||||
DWORD numitems;
|
|
||||||
|
|
||||||
// index offset of the first result in the item list.
|
|
||||||
DWORD offset;
|
|
||||||
|
|
||||||
// arbitrary sized item list.
|
|
||||||
// use numitems to determine the actual number of items available.
|
|
||||||
EVERYTHING_IPC_ITEMW items[1];
|
|
||||||
|
|
||||||
}EVERYTHING_IPC_LISTW;
|
|
||||||
|
|
||||||
typedef struct EVERYTHING_IPC_LISTA
|
|
||||||
{
|
|
||||||
// the total number of folders found.
|
|
||||||
DWORD totfolders;
|
|
||||||
|
|
||||||
// the total number of files found.
|
|
||||||
DWORD totfiles;
|
|
||||||
|
|
||||||
// totfolders + totfiles
|
|
||||||
DWORD totitems;
|
|
||||||
|
|
||||||
// the number of folders available.
|
|
||||||
DWORD numfolders;
|
|
||||||
|
|
||||||
// the number of files available.
|
|
||||||
DWORD numfiles;
|
|
||||||
|
|
||||||
// the number of items available.
|
|
||||||
DWORD numitems;
|
|
||||||
|
|
||||||
// index offset of the first result in the item list.
|
|
||||||
DWORD offset;
|
|
||||||
|
|
||||||
// arbitrary sized item list.
|
|
||||||
// use numitems to determine the actual number of items available.
|
|
||||||
EVERYTHING_IPC_ITEMA items[1];
|
|
||||||
|
|
||||||
}EVERYTHING_IPC_LISTA;
|
|
||||||
|
|
||||||
#ifdef UNICODE
|
|
||||||
#define EVERYTHING_IPC_COPYDATAQUERY EVERYTHING_IPC_COPYDATAQUERYW
|
|
||||||
#define EVERYTHING_IPC_ITEMFILENAME EVERYTHING_IPC_ITEMFILENAMEW
|
|
||||||
#define EVERYTHING_IPC_ITEMPATH EVERYTHING_IPC_ITEMPATHW
|
|
||||||
#define EVERYTHING_IPC_QUERY EVERYTHING_IPC_QUERYW
|
|
||||||
#define EVERYTHING_IPC_ITEM EVERYTHING_IPC_ITEMW
|
|
||||||
#define EVERYTHING_IPC_LIST EVERYTHING_IPC_LISTW
|
|
||||||
#else
|
|
||||||
#define EVERYTHING_IPC_COPYDATAQUERY EVERYTHING_IPC_COPYDATAQUERYA
|
|
||||||
#define EVERYTHING_IPC_ITEMFILENAME EVERYTHING_IPC_ITEMFILENAMEA
|
|
||||||
#define EVERYTHING_IPC_ITEMPATH EVERYTHING_IPC_ITEMPATHA
|
|
||||||
#define EVERYTHING_IPC_QUERY EVERYTHING_IPC_QUERYA
|
|
||||||
#define EVERYTHING_IPC_ITEM EVERYTHING_IPC_ITEMA
|
|
||||||
#define EVERYTHING_IPC_LIST EVERYTHING_IPC_LISTA
|
|
||||||
#endif
|
|
||||||
|
|
||||||
|
|
||||||
// restore packing
|
|
||||||
#pragma pack(pop)
|
|
||||||
|
|
||||||
// end extern C
|
|
||||||
#ifdef __cplusplus
|
|
||||||
}
|
|
||||||
#endif
|
|
||||||
|
|
||||||
#endif // _EVERYTHING_H_
|
|
||||||
|
|
||||||
@@ -1,26 +0,0 @@
|
|||||||
|
|
||||||
Microsoft Visual Studio Solution File, Format Version 12.00
|
|
||||||
# Visual Studio 2012
|
|
||||||
Project("{8BC9CEB8-8B4A-11D0-8D11-00A0C91BC942}") = "dll", "dll.vcxproj", "{7C90030E-6EDB-445E-A61B-5540B7355C59}"
|
|
||||||
EndProject
|
|
||||||
Global
|
|
||||||
GlobalSection(SolutionConfigurationPlatforms) = preSolution
|
|
||||||
Debug|Win32 = Debug|Win32
|
|
||||||
Debug|x64 = Debug|x64
|
|
||||||
Release|Win32 = Release|Win32
|
|
||||||
Release|x64 = Release|x64
|
|
||||||
EndGlobalSection
|
|
||||||
GlobalSection(ProjectConfigurationPlatforms) = postSolution
|
|
||||||
{7C90030E-6EDB-445E-A61B-5540B7355C59}.Debug|Win32.ActiveCfg = Debug|x64
|
|
||||||
{7C90030E-6EDB-445E-A61B-5540B7355C59}.Debug|Win32.Build.0 = Debug|x64
|
|
||||||
{7C90030E-6EDB-445E-A61B-5540B7355C59}.Debug|x64.ActiveCfg = Debug|x64
|
|
||||||
{7C90030E-6EDB-445E-A61B-5540B7355C59}.Debug|x64.Build.0 = Debug|x64
|
|
||||||
{7C90030E-6EDB-445E-A61B-5540B7355C59}.Release|Win32.ActiveCfg = Release|Win32
|
|
||||||
{7C90030E-6EDB-445E-A61B-5540B7355C59}.Release|Win32.Build.0 = Release|Win32
|
|
||||||
{7C90030E-6EDB-445E-A61B-5540B7355C59}.Release|x64.ActiveCfg = Release|x64
|
|
||||||
{7C90030E-6EDB-445E-A61B-5540B7355C59}.Release|x64.Build.0 = Release|x64
|
|
||||||
EndGlobalSection
|
|
||||||
GlobalSection(SolutionProperties) = preSolution
|
|
||||||
HideSolutionNode = FALSE
|
|
||||||
EndGlobalSection
|
|
||||||
EndGlobal
|
|
||||||
@@ -1,291 +0,0 @@
|
|||||||
<?xml version="1.0" encoding="utf-8"?>
|
|
||||||
<Project DefaultTargets="Build" ToolsVersion="4.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003">
|
|
||||||
<ItemGroup Label="ProjectConfigurations">
|
|
||||||
<ProjectConfiguration Include="Debug|Win32">
|
|
||||||
<Configuration>Debug</Configuration>
|
|
||||||
<Platform>Win32</Platform>
|
|
||||||
</ProjectConfiguration>
|
|
||||||
<ProjectConfiguration Include="Debug|x64">
|
|
||||||
<Configuration>Debug</Configuration>
|
|
||||||
<Platform>x64</Platform>
|
|
||||||
</ProjectConfiguration>
|
|
||||||
<ProjectConfiguration Include="Release|Win32">
|
|
||||||
<Configuration>Release</Configuration>
|
|
||||||
<Platform>Win32</Platform>
|
|
||||||
</ProjectConfiguration>
|
|
||||||
<ProjectConfiguration Include="Release|x64">
|
|
||||||
<Configuration>Release</Configuration>
|
|
||||||
<Platform>x64</Platform>
|
|
||||||
</ProjectConfiguration>
|
|
||||||
</ItemGroup>
|
|
||||||
<PropertyGroup Label="Globals">
|
|
||||||
<ProjectGuid>{7C90030E-6EDB-445E-A61B-5540B7355C59}</ProjectGuid>
|
|
||||||
<RootNamespace>dll</RootNamespace>
|
|
||||||
<Keyword>Win32Proj</Keyword>
|
|
||||||
</PropertyGroup>
|
|
||||||
<Import Project="$(VCTargetsPath)\Microsoft.Cpp.Default.props" />
|
|
||||||
<PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Release|Win32'" Label="Configuration">
|
|
||||||
<ConfigurationType>DynamicLibrary</ConfigurationType>
|
|
||||||
<UseOfMfc>false</UseOfMfc>
|
|
||||||
<CharacterSet>MultiByte</CharacterSet>
|
|
||||||
<PlatformToolset>v90</PlatformToolset>
|
|
||||||
</PropertyGroup>
|
|
||||||
<PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'" Label="Configuration">
|
|
||||||
<ConfigurationType>DynamicLibrary</ConfigurationType>
|
|
||||||
<CharacterSet>MultiByte</CharacterSet>
|
|
||||||
<PlatformToolset>v90</PlatformToolset>
|
|
||||||
</PropertyGroup>
|
|
||||||
<PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Release|x64'" Label="Configuration">
|
|
||||||
<ConfigurationType>DynamicLibrary</ConfigurationType>
|
|
||||||
<UseOfMfc>false</UseOfMfc>
|
|
||||||
<CharacterSet>MultiByte</CharacterSet>
|
|
||||||
<PlatformToolset>v90</PlatformToolset>
|
|
||||||
</PropertyGroup>
|
|
||||||
<PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Debug|x64'" Label="Configuration">
|
|
||||||
<ConfigurationType>DynamicLibrary</ConfigurationType>
|
|
||||||
<CharacterSet>MultiByte</CharacterSet>
|
|
||||||
<PlatformToolset>v90</PlatformToolset>
|
|
||||||
</PropertyGroup>
|
|
||||||
<Import Project="$(VCTargetsPath)\Microsoft.Cpp.props" />
|
|
||||||
<ImportGroup Label="ExtensionSettings">
|
|
||||||
</ImportGroup>
|
|
||||||
<ImportGroup Condition="'$(Configuration)|$(Platform)'=='Release|Win32'" Label="PropertySheets">
|
|
||||||
<Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" />
|
|
||||||
<Import Project="$(VCTargetsPath)Microsoft.CPP.UpgradeFromVC71.props" />
|
|
||||||
</ImportGroup>
|
|
||||||
<ImportGroup Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'" Label="PropertySheets">
|
|
||||||
<Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" />
|
|
||||||
<Import Project="$(VCTargetsPath)Microsoft.CPP.UpgradeFromVC71.props" />
|
|
||||||
</ImportGroup>
|
|
||||||
<ImportGroup Condition="'$(Configuration)|$(Platform)'=='Release|x64'" Label="PropertySheets">
|
|
||||||
<Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" />
|
|
||||||
<Import Project="$(VCTargetsPath)Microsoft.CPP.UpgradeFromVC71.props" />
|
|
||||||
</ImportGroup>
|
|
||||||
<ImportGroup Condition="'$(Configuration)|$(Platform)'=='Debug|x64'" Label="PropertySheets">
|
|
||||||
<Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" />
|
|
||||||
<Import Project="$(VCTargetsPath)Microsoft.CPP.UpgradeFromVC71.props" />
|
|
||||||
</ImportGroup>
|
|
||||||
<PropertyGroup Label="UserMacros" />
|
|
||||||
<PropertyGroup>
|
|
||||||
<_ProjectFileVersion>10.0.40219.1</_ProjectFileVersion>
|
|
||||||
<OutDir Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'">Debug\</OutDir>
|
|
||||||
<IntDir Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'">Debug\</IntDir>
|
|
||||||
<LinkIncremental Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'">true</LinkIncremental>
|
|
||||||
<OutDir Condition="'$(Configuration)|$(Platform)'=='Debug|x64'">$(Platform)\$(Configuration)\</OutDir>
|
|
||||||
<IntDir Condition="'$(Configuration)|$(Platform)'=='Debug|x64'">$(Platform)\$(Configuration)\</IntDir>
|
|
||||||
<LinkIncremental Condition="'$(Configuration)|$(Platform)'=='Debug|x64'">true</LinkIncremental>
|
|
||||||
<OutDir Condition="'$(Configuration)|$(Platform)'=='Release|Win32'">Release\</OutDir>
|
|
||||||
<IntDir Condition="'$(Configuration)|$(Platform)'=='Release|Win32'">Release\</IntDir>
|
|
||||||
<IgnoreImportLibrary Condition="'$(Configuration)|$(Platform)'=='Release|Win32'">false</IgnoreImportLibrary>
|
|
||||||
<LinkIncremental Condition="'$(Configuration)|$(Platform)'=='Release|Win32'">false</LinkIncremental>
|
|
||||||
<OutDir Condition="'$(Configuration)|$(Platform)'=='Release|x64'">$(Platform)\$(Configuration)\</OutDir>
|
|
||||||
<IntDir Condition="'$(Configuration)|$(Platform)'=='Release|x64'">$(Platform)\$(Configuration)\</IntDir>
|
|
||||||
<IgnoreImportLibrary Condition="'$(Configuration)|$(Platform)'=='Release|x64'">false</IgnoreImportLibrary>
|
|
||||||
<LinkIncremental Condition="'$(Configuration)|$(Platform)'=='Release|x64'">false</LinkIncremental>
|
|
||||||
<CodeAnalysisRuleSet Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'">AllRules.ruleset</CodeAnalysisRuleSet>
|
|
||||||
<CodeAnalysisRules Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'" />
|
|
||||||
<CodeAnalysisRuleAssemblies Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'" />
|
|
||||||
<CodeAnalysisRuleSet Condition="'$(Configuration)|$(Platform)'=='Debug|x64'">AllRules.ruleset</CodeAnalysisRuleSet>
|
|
||||||
<CodeAnalysisRules Condition="'$(Configuration)|$(Platform)'=='Debug|x64'" />
|
|
||||||
<CodeAnalysisRuleAssemblies Condition="'$(Configuration)|$(Platform)'=='Debug|x64'" />
|
|
||||||
<CodeAnalysisRuleSet Condition="'$(Configuration)|$(Platform)'=='Release|Win32'">AllRules.ruleset</CodeAnalysisRuleSet>
|
|
||||||
<CodeAnalysisRules Condition="'$(Configuration)|$(Platform)'=='Release|Win32'" />
|
|
||||||
<CodeAnalysisRuleAssemblies Condition="'$(Configuration)|$(Platform)'=='Release|Win32'" />
|
|
||||||
<CodeAnalysisRuleSet Condition="'$(Configuration)|$(Platform)'=='Release|x64'">AllRules.ruleset</CodeAnalysisRuleSet>
|
|
||||||
<CodeAnalysisRules Condition="'$(Configuration)|$(Platform)'=='Release|x64'" />
|
|
||||||
<CodeAnalysisRuleAssemblies Condition="'$(Configuration)|$(Platform)'=='Release|x64'" />
|
|
||||||
</PropertyGroup>
|
|
||||||
<ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'">
|
|
||||||
<ClCompile>
|
|
||||||
<Optimization>Disabled</Optimization>
|
|
||||||
<AdditionalIncludeDirectories>%(AdditionalIncludeDirectories)</AdditionalIncludeDirectories>
|
|
||||||
<PreprocessorDefinitions>BZ_NO_STDIO;%(PreprocessorDefinitions)</PreprocessorDefinitions>
|
|
||||||
<MinimalRebuild>true</MinimalRebuild>
|
|
||||||
<BasicRuntimeChecks>EnableFastChecks</BasicRuntimeChecks>
|
|
||||||
<RuntimeLibrary>MultiThreadedDebug</RuntimeLibrary>
|
|
||||||
<PrecompiledHeader>
|
|
||||||
</PrecompiledHeader>
|
|
||||||
<WarningLevel>Level3</WarningLevel>
|
|
||||||
<DebugInformationFormat>EditAndContinue</DebugInformationFormat>
|
|
||||||
</ClCompile>
|
|
||||||
<Link>
|
|
||||||
<OutputFile>$(OutDir)Everything.dll</OutputFile>
|
|
||||||
<ModuleDefinitionFile>
|
|
||||||
</ModuleDefinitionFile>
|
|
||||||
<GenerateDebugInformation>true</GenerateDebugInformation>
|
|
||||||
<GenerateMapFile>true</GenerateMapFile>
|
|
||||||
<SubSystem>Console</SubSystem>
|
|
||||||
<StackReserveSize>0</StackReserveSize>
|
|
||||||
<OptimizeReferences>true</OptimizeReferences>
|
|
||||||
<EnableCOMDATFolding>true</EnableCOMDATFolding>
|
|
||||||
<RandomizedBaseAddress>false</RandomizedBaseAddress>
|
|
||||||
<DataExecutionPrevention>
|
|
||||||
</DataExecutionPrevention>
|
|
||||||
<TargetMachine>MachineX86</TargetMachine>
|
|
||||||
</Link>
|
|
||||||
<Manifest>
|
|
||||||
<AdditionalManifestFiles>%(AdditionalManifestFiles)</AdditionalManifestFiles>
|
|
||||||
</Manifest>
|
|
||||||
</ItemDefinitionGroup>
|
|
||||||
<ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Debug|x64'">
|
|
||||||
<Midl>
|
|
||||||
<TargetEnvironment>X64</TargetEnvironment>
|
|
||||||
</Midl>
|
|
||||||
<ClCompile>
|
|
||||||
<Optimization>Disabled</Optimization>
|
|
||||||
<PreprocessorDefinitions>WIN32;_DEBUG;_WINDOWS;%(PreprocessorDefinitions)</PreprocessorDefinitions>
|
|
||||||
<MinimalRebuild>true</MinimalRebuild>
|
|
||||||
<BasicRuntimeChecks>EnableFastChecks</BasicRuntimeChecks>
|
|
||||||
<RuntimeLibrary>MultiThreadedDebug</RuntimeLibrary>
|
|
||||||
<PrecompiledHeader>
|
|
||||||
</PrecompiledHeader>
|
|
||||||
<WarningLevel>Level3</WarningLevel>
|
|
||||||
<DebugInformationFormat>ProgramDatabase</DebugInformationFormat>
|
|
||||||
<CompileAs>CompileAsC</CompileAs>
|
|
||||||
</ClCompile>
|
|
||||||
<Link>
|
|
||||||
<AdditionalDependencies>ComCtl32.lib;UxTheme.lib;Ws2_32.lib;shlwapi.lib;ole32.lib;htmlhelp.lib;%(AdditionalDependencies)</AdditionalDependencies>
|
|
||||||
<OutputFile>$(OutDir)Everything.dll</OutputFile>
|
|
||||||
<GenerateDebugInformation>true</GenerateDebugInformation>
|
|
||||||
<ProgramDatabaseFile>$(OutDir)dll.pdb</ProgramDatabaseFile>
|
|
||||||
<SubSystem>Console</SubSystem>
|
|
||||||
<RandomizedBaseAddress>false</RandomizedBaseAddress>
|
|
||||||
<DataExecutionPrevention>
|
|
||||||
</DataExecutionPrevention>
|
|
||||||
<TargetMachine>MachineX64</TargetMachine>
|
|
||||||
</Link>
|
|
||||||
<Manifest>
|
|
||||||
<AdditionalManifestFiles>%(AdditionalManifestFiles)</AdditionalManifestFiles>
|
|
||||||
</Manifest>
|
|
||||||
</ItemDefinitionGroup>
|
|
||||||
<ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Release|Win32'">
|
|
||||||
<PreBuildEvent>
|
|
||||||
<Command>
|
|
||||||
</Command>
|
|
||||||
</PreBuildEvent>
|
|
||||||
<ClCompile>
|
|
||||||
<Optimization>MaxSpeed</Optimization>
|
|
||||||
<InlineFunctionExpansion>AnySuitable</InlineFunctionExpansion>
|
|
||||||
<IntrinsicFunctions>true</IntrinsicFunctions>
|
|
||||||
<FavorSizeOrSpeed>Speed</FavorSizeOrSpeed>
|
|
||||||
<OmitFramePointers>false</OmitFramePointers>
|
|
||||||
<WholeProgramOptimization>false</WholeProgramOptimization>
|
|
||||||
<AdditionalIncludeDirectories>%(AdditionalIncludeDirectories)</AdditionalIncludeDirectories>
|
|
||||||
<PreprocessorDefinitions>BZ_NO_STDIO;%(PreprocessorDefinitions)</PreprocessorDefinitions>
|
|
||||||
<StringPooling>true</StringPooling>
|
|
||||||
<ExceptionHandling>Sync</ExceptionHandling>
|
|
||||||
<BasicRuntimeChecks>Default</BasicRuntimeChecks>
|
|
||||||
<RuntimeLibrary>MultiThreaded</RuntimeLibrary>
|
|
||||||
<FunctionLevelLinking>true</FunctionLevelLinking>
|
|
||||||
<FloatingPointModel>Fast</FloatingPointModel>
|
|
||||||
<PrecompiledHeader>
|
|
||||||
</PrecompiledHeader>
|
|
||||||
<WarningLevel>Level3</WarningLevel>
|
|
||||||
<DebugInformationFormat>
|
|
||||||
</DebugInformationFormat>
|
|
||||||
<CallingConvention>Cdecl</CallingConvention>
|
|
||||||
<CompileAs>CompileAsC</CompileAs>
|
|
||||||
</ClCompile>
|
|
||||||
<PreLinkEvent>
|
|
||||||
<Command>
|
|
||||||
</Command>
|
|
||||||
</PreLinkEvent>
|
|
||||||
<ProjectReference>
|
|
||||||
<LinkLibraryDependencies>true</LinkLibraryDependencies>
|
|
||||||
</ProjectReference>
|
|
||||||
<Link>
|
|
||||||
<ShowProgress>NotSet</ShowProgress>
|
|
||||||
<OutputFile>$(OutDir)Everything.dll</OutputFile>
|
|
||||||
<AdditionalManifestDependencies>%(AdditionalManifestDependencies)</AdditionalManifestDependencies>
|
|
||||||
<IgnoreAllDefaultLibraries>false</IgnoreAllDefaultLibraries>
|
|
||||||
<ModuleDefinitionFile>everything.def</ModuleDefinitionFile>
|
|
||||||
<GenerateDebugInformation>false</GenerateDebugInformation>
|
|
||||||
<GenerateMapFile>true</GenerateMapFile>
|
|
||||||
<SubSystem>Windows</SubSystem>
|
|
||||||
<StackReserveSize>0</StackReserveSize>
|
|
||||||
<OptimizeReferences>true</OptimizeReferences>
|
|
||||||
<EnableCOMDATFolding>true</EnableCOMDATFolding>
|
|
||||||
<LinkTimeCodeGeneration>
|
|
||||||
</LinkTimeCodeGeneration>
|
|
||||||
<RandomizedBaseAddress>false</RandomizedBaseAddress>
|
|
||||||
<DataExecutionPrevention>
|
|
||||||
</DataExecutionPrevention>
|
|
||||||
<TargetMachine>MachineX86</TargetMachine>
|
|
||||||
</Link>
|
|
||||||
<Manifest>
|
|
||||||
<AdditionalManifestFiles>%(AdditionalManifestFiles)</AdditionalManifestFiles>
|
|
||||||
<SuppressStartupBanner>false</SuppressStartupBanner>
|
|
||||||
<VerboseOutput>false</VerboseOutput>
|
|
||||||
</Manifest>
|
|
||||||
<PostBuildEvent>
|
|
||||||
<Command>
|
|
||||||
</Command>
|
|
||||||
</PostBuildEvent>
|
|
||||||
</ItemDefinitionGroup>
|
|
||||||
<ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Release|x64'">
|
|
||||||
<Midl>
|
|
||||||
<TargetEnvironment>X64</TargetEnvironment>
|
|
||||||
</Midl>
|
|
||||||
<ClCompile>
|
|
||||||
<Optimization>MaxSpeed</Optimization>
|
|
||||||
<InlineFunctionExpansion>AnySuitable</InlineFunctionExpansion>
|
|
||||||
<IntrinsicFunctions>true</IntrinsicFunctions>
|
|
||||||
<FavorSizeOrSpeed>Speed</FavorSizeOrSpeed>
|
|
||||||
<OmitFramePointers>false</OmitFramePointers>
|
|
||||||
<WholeProgramOptimization>false</WholeProgramOptimization>
|
|
||||||
<AdditionalIncludeDirectories>%(AdditionalIncludeDirectories)</AdditionalIncludeDirectories>
|
|
||||||
<PreprocessorDefinitions>WIN32;NDEBUG;_WINDOWS;%(PreprocessorDefinitions)</PreprocessorDefinitions>
|
|
||||||
<StringPooling>true</StringPooling>
|
|
||||||
<ExceptionHandling>
|
|
||||||
</ExceptionHandling>
|
|
||||||
<BasicRuntimeChecks>Default</BasicRuntimeChecks>
|
|
||||||
<RuntimeLibrary>MultiThreaded</RuntimeLibrary>
|
|
||||||
<FunctionLevelLinking>true</FunctionLevelLinking>
|
|
||||||
<FloatingPointModel>Fast</FloatingPointModel>
|
|
||||||
<PrecompiledHeader>
|
|
||||||
</PrecompiledHeader>
|
|
||||||
<WarningLevel>Level3</WarningLevel>
|
|
||||||
<DebugInformationFormat>
|
|
||||||
</DebugInformationFormat>
|
|
||||||
<CompileAs>CompileAsC</CompileAs>
|
|
||||||
</ClCompile>
|
|
||||||
<ProjectReference>
|
|
||||||
<LinkLibraryDependencies>true</LinkLibraryDependencies>
|
|
||||||
</ProjectReference>
|
|
||||||
<Link>
|
|
||||||
<AdditionalDependencies>comctl32.lib;UxTheme.lib;Ws2_32.lib;HTMLHelp.lib;msimg32.lib;%(AdditionalDependencies)</AdditionalDependencies>
|
|
||||||
<ShowProgress>NotSet</ShowProgress>
|
|
||||||
<OutputFile>$(OutDir)Everything.dll</OutputFile>
|
|
||||||
<AdditionalManifestDependencies>%(AdditionalManifestDependencies)</AdditionalManifestDependencies>
|
|
||||||
<IgnoreAllDefaultLibraries>false</IgnoreAllDefaultLibraries>
|
|
||||||
<GenerateDebugInformation>true</GenerateDebugInformation>
|
|
||||||
<SubSystem>Windows</SubSystem>
|
|
||||||
<OptimizeReferences>true</OptimizeReferences>
|
|
||||||
<EnableCOMDATFolding>true</EnableCOMDATFolding>
|
|
||||||
<LinkTimeCodeGeneration>
|
|
||||||
</LinkTimeCodeGeneration>
|
|
||||||
<RandomizedBaseAddress>false</RandomizedBaseAddress>
|
|
||||||
<DataExecutionPrevention>
|
|
||||||
</DataExecutionPrevention>
|
|
||||||
<TargetMachine>MachineX64</TargetMachine>
|
|
||||||
</Link>
|
|
||||||
<Manifest>
|
|
||||||
<AdditionalManifestFiles>%(AdditionalManifestFiles)</AdditionalManifestFiles>
|
|
||||||
<SuppressStartupBanner>false</SuppressStartupBanner>
|
|
||||||
<VerboseOutput>false</VerboseOutput>
|
|
||||||
</Manifest>
|
|
||||||
</ItemDefinitionGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<ClCompile Include="Everything.c" />
|
|
||||||
</ItemGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<None Include="Everything.def" />
|
|
||||||
</ItemGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<ClInclude Include="Everything.h" />
|
|
||||||
<ClInclude Include="Everything_IPC.h" />
|
|
||||||
</ItemGroup>
|
|
||||||
<Import Project="$(VCTargetsPath)\Microsoft.Cpp.targets" />
|
|
||||||
<ImportGroup Label="ExtensionTargets">
|
|
||||||
</ImportGroup>
|
|
||||||
</Project>
|
|
||||||
@@ -1,27 +0,0 @@
|
|||||||
<?xml version="1.0" encoding="utf-8"?>
|
|
||||||
<Project ToolsVersion="4.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003">
|
|
||||||
<ItemGroup>
|
|
||||||
<Filter Include="src">
|
|
||||||
<UniqueIdentifier>{072e536f-0b4e-4b52-bbf4-45486ca2a90b}</UniqueIdentifier>
|
|
||||||
<Extensions>cpp;c;cxx;def;odl;idl;hpj;bat;asm</Extensions>
|
|
||||||
</Filter>
|
|
||||||
</ItemGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<ClCompile Include="Everything.c">
|
|
||||||
<Filter>src</Filter>
|
|
||||||
</ClCompile>
|
|
||||||
</ItemGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<None Include="Everything.def">
|
|
||||||
<Filter>src</Filter>
|
|
||||||
</None>
|
|
||||||
</ItemGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<ClInclude Include="Everything.h">
|
|
||||||
<Filter>src</Filter>
|
|
||||||
</ClInclude>
|
|
||||||
<ClInclude Include="Everything_IPC.h">
|
|
||||||
<Filter>src</Filter>
|
|
||||||
</ClInclude>
|
|
||||||
</ItemGroup>
|
|
||||||
</Project>
|
|
||||||
@@ -1,11 +0,0 @@
|
|||||||
{
|
|
||||||
"ID":"D2D2C23B084D411DB66FE0C79D6C2A6E",
|
|
||||||
"ActionKeyword":"ev",
|
|
||||||
"Name":"Wox.Plugin.Everything",
|
|
||||||
"Description":"Search Everything",
|
|
||||||
"Author":"orzfly",
|
|
||||||
"Version":"1.0",
|
|
||||||
"Language":"csharp",
|
|
||||||
"Website":"http://www.getwox.com",
|
|
||||||
"ExecuteFileName":"Wox.Plugin.Everything.dll"
|
|
||||||
}
|
|
||||||
Binary file not shown.
Binary file not shown.
@@ -1,135 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.IO;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Net;
|
|
||||||
using System.Net.Security;
|
|
||||||
using System.Security.Cryptography.X509Certificates;
|
|
||||||
using System.Text;
|
|
||||||
|
|
||||||
//From:http://blog.csdn.net/zhoufoxcn/article/details/6404236
|
|
||||||
namespace Wox.Plugin.Fanyi
|
|
||||||
{
|
|
||||||
/// <summary>
|
|
||||||
/// 有关HTTP请求的辅助类
|
|
||||||
/// </summary>
|
|
||||||
public class HttpRequest
|
|
||||||
{
|
|
||||||
private static readonly string DefaultUserAgent = "Mozilla/4.0 (compatible; MSIE 6.0; Windows NT 5.2; SV1; .NET CLR 1.1.4322; .NET CLR 2.0.50727)";
|
|
||||||
/// <summary>
|
|
||||||
/// 创建GET方式的HTTP请求
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="url">请求的URL</param>
|
|
||||||
/// <param name="timeout">请求的超时时间</param>
|
|
||||||
/// <param name="userAgent">请求的客户端浏览器信息,可以为空</param>
|
|
||||||
/// <param name="cookies">随同HTTP请求发送的Cookie信息,如果不需要身份验证可以为空</param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public static HttpWebResponse CreateGetHttpResponse(string url, int? timeout, string userAgent, CookieCollection cookies)
|
|
||||||
{
|
|
||||||
if (string.IsNullOrEmpty(url))
|
|
||||||
{
|
|
||||||
throw new ArgumentNullException("url");
|
|
||||||
}
|
|
||||||
HttpWebRequest request = WebRequest.Create(url) as HttpWebRequest;
|
|
||||||
request.Method = "GET";
|
|
||||||
request.UserAgent = DefaultUserAgent;
|
|
||||||
if (!string.IsNullOrEmpty(userAgent))
|
|
||||||
{
|
|
||||||
request.UserAgent = userAgent;
|
|
||||||
}
|
|
||||||
if (timeout.HasValue)
|
|
||||||
{
|
|
||||||
request.Timeout = timeout.Value;
|
|
||||||
}
|
|
||||||
if (cookies != null)
|
|
||||||
{
|
|
||||||
request.CookieContainer = new CookieContainer();
|
|
||||||
request.CookieContainer.Add(cookies);
|
|
||||||
}
|
|
||||||
return request.GetResponse() as HttpWebResponse;
|
|
||||||
}
|
|
||||||
/// <summary>
|
|
||||||
/// 创建POST方式的HTTP请求
|
|
||||||
/// </summary>
|
|
||||||
/// <param name="url">请求的URL</param>
|
|
||||||
/// <param name="parameters">随同请求POST的参数名称及参数值字典</param>
|
|
||||||
/// <param name="timeout">请求的超时时间</param>
|
|
||||||
/// <param name="userAgent">请求的客户端浏览器信息,可以为空</param>
|
|
||||||
/// <param name="requestEncoding">发送HTTP请求时所用的编码</param>
|
|
||||||
/// <param name="cookies">随同HTTP请求发送的Cookie信息,如果不需要身份验证可以为空</param>
|
|
||||||
/// <returns></returns>
|
|
||||||
public static HttpWebResponse CreatePostHttpResponse(string url, IDictionary<string, string> parameters, int? timeout, string userAgent, Encoding requestEncoding, CookieCollection cookies)
|
|
||||||
{
|
|
||||||
if (string.IsNullOrEmpty(url))
|
|
||||||
{
|
|
||||||
throw new ArgumentNullException("url");
|
|
||||||
}
|
|
||||||
if (requestEncoding == null)
|
|
||||||
{
|
|
||||||
throw new ArgumentNullException("requestEncoding");
|
|
||||||
}
|
|
||||||
HttpWebRequest request = null;
|
|
||||||
//如果是发送HTTPS请求
|
|
||||||
if (url.StartsWith("https", StringComparison.OrdinalIgnoreCase))
|
|
||||||
{
|
|
||||||
ServicePointManager.ServerCertificateValidationCallback = new RemoteCertificateValidationCallback(CheckValidationResult);
|
|
||||||
request = WebRequest.Create(url) as HttpWebRequest;
|
|
||||||
request.ProtocolVersion = HttpVersion.Version10;
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
request = WebRequest.Create(url) as HttpWebRequest;
|
|
||||||
}
|
|
||||||
request.Method = "POST";
|
|
||||||
request.ContentType = "application/x-www-form-urlencoded";
|
|
||||||
|
|
||||||
if (!string.IsNullOrEmpty(userAgent))
|
|
||||||
{
|
|
||||||
request.UserAgent = userAgent;
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
request.UserAgent = DefaultUserAgent;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (timeout.HasValue)
|
|
||||||
{
|
|
||||||
request.Timeout = timeout.Value;
|
|
||||||
}
|
|
||||||
if (cookies != null)
|
|
||||||
{
|
|
||||||
request.CookieContainer = new CookieContainer();
|
|
||||||
request.CookieContainer.Add(cookies);
|
|
||||||
}
|
|
||||||
//如果需要POST数据
|
|
||||||
if (!(parameters == null || parameters.Count == 0))
|
|
||||||
{
|
|
||||||
StringBuilder buffer = new StringBuilder();
|
|
||||||
int i = 0;
|
|
||||||
foreach (string key in parameters.Keys)
|
|
||||||
{
|
|
||||||
if (i > 0)
|
|
||||||
{
|
|
||||||
buffer.AppendFormat("&{0}={1}", key, parameters[key]);
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
buffer.AppendFormat("{0}={1}", key, parameters[key]);
|
|
||||||
}
|
|
||||||
i++;
|
|
||||||
}
|
|
||||||
byte[] data = requestEncoding.GetBytes(buffer.ToString());
|
|
||||||
using (Stream stream = request.GetRequestStream())
|
|
||||||
{
|
|
||||||
stream.Write(data, 0, data.Length);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
return request.GetResponse() as HttpWebResponse;
|
|
||||||
}
|
|
||||||
|
|
||||||
private static bool CheckValidationResult(object sender, X509Certificate certificate, X509Chain chain, SslPolicyErrors errors)
|
|
||||||
{
|
|
||||||
return true; //总是接受
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
Binary file not shown.
|
Before Width: | Height: | Size: 515 KiB |
@@ -1,128 +0,0 @@
|
|||||||
using System;
|
|
||||||
using System.Collections.Generic;
|
|
||||||
using System.IO;
|
|
||||||
using System.Linq;
|
|
||||||
using System.Net;
|
|
||||||
using System.Text;
|
|
||||||
using Newtonsoft.Json;
|
|
||||||
using Wox.Plugin.Fanyi;
|
|
||||||
|
|
||||||
namespace Wox.Plugin.Youdao
|
|
||||||
{
|
|
||||||
public class TranslateResult
|
|
||||||
{
|
|
||||||
public int errorCode { get; set; }
|
|
||||||
public List<string> translation { get; set; }
|
|
||||||
public BasicTranslation basic { get; set; }
|
|
||||||
public List<WebTranslation> web { get; set; }
|
|
||||||
}
|
|
||||||
|
|
||||||
// 有道词典-基本词典
|
|
||||||
public class BasicTranslation
|
|
||||||
{
|
|
||||||
public string phonetic { get; set; }
|
|
||||||
public List<string> explains { get; set; }
|
|
||||||
}
|
|
||||||
|
|
||||||
public class WebTranslation
|
|
||||||
{
|
|
||||||
public string key { get; set; }
|
|
||||||
public List<string> value { get; set; }
|
|
||||||
}
|
|
||||||
|
|
||||||
public class Main : IPlugin
|
|
||||||
{
|
|
||||||
private string translateURL = "http://fanyi.youdao.com/openapi.do?keyfrom=WoxLauncher&key=1247918016&type=data&doctype=json&version=1.1&q=";
|
|
||||||
|
|
||||||
public List<Result> Query(Query query)
|
|
||||||
{
|
|
||||||
List<Result> results = new List<Result>();
|
|
||||||
if (query.ActionParameters.Count == 0)
|
|
||||||
{
|
|
||||||
results.Add(new Result()
|
|
||||||
{
|
|
||||||
Title = "Start to translate between Chinese and English",
|
|
||||||
SubTitle = "Powered by youdao api",
|
|
||||||
IcoPath = "Images\\youdao.ico"
|
|
||||||
});
|
|
||||||
return results;
|
|
||||||
}
|
|
||||||
|
|
||||||
HttpWebResponse response = HttpRequest.CreatePostHttpResponse(translateURL + query.GetAllRemainingParameter(), null, null, null, Encoding.UTF8, null);
|
|
||||||
Stream s = response.GetResponseStream();
|
|
||||||
if (s != null)
|
|
||||||
{
|
|
||||||
StreamReader reader = new StreamReader(s, Encoding.UTF8);
|
|
||||||
string json = reader.ReadToEnd();
|
|
||||||
TranslateResult o = JsonConvert.DeserializeObject<TranslateResult>(json);
|
|
||||||
if (o.errorCode == 0)
|
|
||||||
{
|
|
||||||
if (o.basic != null && o.basic.phonetic != null)
|
|
||||||
{
|
|
||||||
results.Add(new Result()
|
|
||||||
{
|
|
||||||
Title = o.basic.phonetic,
|
|
||||||
SubTitle = string.Join(",", o.basic.explains.ToArray()),
|
|
||||||
IcoPath = "Images\\youdao.ico",
|
|
||||||
});
|
|
||||||
}
|
|
||||||
foreach (string t in o.translation)
|
|
||||||
{
|
|
||||||
results.Add(new Result()
|
|
||||||
{
|
|
||||||
Title = t,
|
|
||||||
IcoPath = "Images\\youdao.ico",
|
|
||||||
});
|
|
||||||
}
|
|
||||||
if (o.web != null)
|
|
||||||
{
|
|
||||||
foreach (WebTranslation t in o.web)
|
|
||||||
{
|
|
||||||
results.Add(new Result()
|
|
||||||
{
|
|
||||||
Title = t.key,
|
|
||||||
SubTitle = string.Join(",", t.value.ToArray()),
|
|
||||||
IcoPath = "Images\\youdao.ico",
|
|
||||||
});
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
else
|
|
||||||
{
|
|
||||||
string error = string.Empty;
|
|
||||||
switch (o.errorCode)
|
|
||||||
{
|
|
||||||
case 20:
|
|
||||||
error = "要翻译的文本过长";
|
|
||||||
break;
|
|
||||||
|
|
||||||
case 30:
|
|
||||||
error = "无法进行有效的翻译";
|
|
||||||
break;
|
|
||||||
|
|
||||||
case 40:
|
|
||||||
error = "不支持的语言类型";
|
|
||||||
break;
|
|
||||||
|
|
||||||
case 50:
|
|
||||||
error = "无效的key";
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
|
|
||||||
results.Add(new Result()
|
|
||||||
{
|
|
||||||
Title = error,
|
|
||||||
IcoPath = "Images\\youdao.ico",
|
|
||||||
});
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
return results;
|
|
||||||
}
|
|
||||||
|
|
||||||
public void Init(PluginInitContext context)
|
|
||||||
{
|
|
||||||
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
@@ -1,36 +0,0 @@
|
|||||||
using System.Reflection;
|
|
||||||
using System.Runtime.CompilerServices;
|
|
||||||
using System.Runtime.InteropServices;
|
|
||||||
|
|
||||||
// General Information about an assembly is controlled through the following
|
|
||||||
// set of attributes. Change these attribute values to modify the information
|
|
||||||
// associated with an assembly.
|
|
||||||
[assembly: AssemblyTitle("Wox.Plugin.Youdao")]
|
|
||||||
[assembly: AssemblyDescription("https://github.com/qianlifeng/Wox")]
|
|
||||||
[assembly: AssemblyConfiguration("")]
|
|
||||||
[assembly: AssemblyCompany("")]
|
|
||||||
[assembly: AssemblyProduct("Wox.Plugin.Youdao")]
|
|
||||||
[assembly: AssemblyCopyright("The MIT License (MIT)")]
|
|
||||||
[assembly: AssemblyTrademark("")]
|
|
||||||
[assembly: AssemblyCulture("")]
|
|
||||||
|
|
||||||
// Setting ComVisible to false makes the types in this assembly not visible
|
|
||||||
// to COM components. If you need to access a type in this assembly from
|
|
||||||
// COM, set the ComVisible attribute to true on that type.
|
|
||||||
[assembly: ComVisible(false)]
|
|
||||||
|
|
||||||
// The following GUID is for the ID of the typelib if this project is exposed to COM
|
|
||||||
[assembly: Guid("e42a24ab-7eff-46e8-ae37-f85bc08de1b8")]
|
|
||||||
|
|
||||||
// Version information for an assembly consists of the following four values:
|
|
||||||
//
|
|
||||||
// Major Version
|
|
||||||
// Minor Version
|
|
||||||
// Build Number
|
|
||||||
// Revision
|
|
||||||
//
|
|
||||||
// You can specify all the values or you can default the Build and Revision Numbers
|
|
||||||
// by using the '*' as shown below:
|
|
||||||
// [assembly: AssemblyVersion("1.0.*")]
|
|
||||||
[assembly: AssemblyVersion("1.0.0.0")]
|
|
||||||
[assembly: AssemblyFileVersion("1.0.0.0")]
|
|
||||||
@@ -1,86 +0,0 @@
|
|||||||
<?xml version="1.0" encoding="utf-8"?>
|
|
||||||
<Project ToolsVersion="4.0" DefaultTargets="Build" xmlns="http://schemas.microsoft.com/developer/msbuild/2003">
|
|
||||||
<Import Project="$(MSBuildExtensionsPath)\$(MSBuildToolsVersion)\Microsoft.Common.props" Condition="Exists('$(MSBuildExtensionsPath)\$(MSBuildToolsVersion)\Microsoft.Common.props')" />
|
|
||||||
<PropertyGroup>
|
|
||||||
<Configuration Condition=" '$(Configuration)' == '' ">Debug</Configuration>
|
|
||||||
<Platform Condition=" '$(Platform)' == '' ">AnyCPU</Platform>
|
|
||||||
<ProjectGuid>{AE02E18E-2134-472B-9282-32CDE36B5F0C}</ProjectGuid>
|
|
||||||
<OutputType>Library</OutputType>
|
|
||||||
<AppDesignerFolder>Properties</AppDesignerFolder>
|
|
||||||
<RootNamespace>Wox.Plugin.Youdao</RootNamespace>
|
|
||||||
<AssemblyName>Wox.Plugin.Youdao</AssemblyName>
|
|
||||||
<TargetFrameworkVersion>v3.5</TargetFrameworkVersion>
|
|
||||||
<FileAlignment>512</FileAlignment>
|
|
||||||
<SolutionDir Condition="$(SolutionDir) == '' Or $(SolutionDir) == '*Undefined*'">..\..\</SolutionDir>
|
|
||||||
<RestorePackages>true</RestorePackages>
|
|
||||||
</PropertyGroup>
|
|
||||||
<PropertyGroup Condition=" '$(Configuration)|$(Platform)' == 'Debug|AnyCPU' ">
|
|
||||||
<DebugSymbols>true</DebugSymbols>
|
|
||||||
<DebugType>full</DebugType>
|
|
||||||
<Optimize>false</Optimize>
|
|
||||||
<OutputPath>..\..\Output\Debug\Plugins\Wox.Plugin.Youdao\</OutputPath>
|
|
||||||
<DefineConstants>DEBUG;TRACE</DefineConstants>
|
|
||||||
<ErrorReport>prompt</ErrorReport>
|
|
||||||
<WarningLevel>4</WarningLevel>
|
|
||||||
</PropertyGroup>
|
|
||||||
<PropertyGroup Condition=" '$(Configuration)|$(Platform)' == 'Release|AnyCPU' ">
|
|
||||||
<DebugType>pdbonly</DebugType>
|
|
||||||
<Optimize>true</Optimize>
|
|
||||||
<OutputPath>..\..\Output\Release\Plugins\Wox.Plugin.Youdao\</OutputPath>
|
|
||||||
<DefineConstants>TRACE</DefineConstants>
|
|
||||||
<ErrorReport>prompt</ErrorReport>
|
|
||||||
<WarningLevel>4</WarningLevel>
|
|
||||||
</PropertyGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<Reference Include="Newtonsoft.Json">
|
|
||||||
<HintPath>..\..\packages\Newtonsoft.Json.5.0.8\lib\net35\Newtonsoft.Json.dll</HintPath>
|
|
||||||
</Reference>
|
|
||||||
<Reference Include="System" />
|
|
||||||
<Reference Include="System.Core" />
|
|
||||||
<Reference Include="System.Xml.Linq" />
|
|
||||||
<Reference Include="System.Data.DataSetExtensions" />
|
|
||||||
<Reference Include="System.Data" />
|
|
||||||
<Reference Include="System.Xml" />
|
|
||||||
</ItemGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<Compile Include="HttpRequest.cs" />
|
|
||||||
<Compile Include="Main.cs" />
|
|
||||||
<Compile Include="Properties\AssemblyInfo.cs" />
|
|
||||||
</ItemGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<None Include="packages.config" />
|
|
||||||
<None Include="plugin.json">
|
|
||||||
<CopyToOutputDirectory>PreserveNewest</CopyToOutputDirectory>
|
|
||||||
</None>
|
|
||||||
</ItemGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<Content Include="Images\youdao.ico">
|
|
||||||
<CopyToOutputDirectory>PreserveNewest</CopyToOutputDirectory>
|
|
||||||
</Content>
|
|
||||||
</ItemGroup>
|
|
||||||
<ItemGroup>
|
|
||||||
<ProjectReference Include="..\..\Wox.Plugin\Wox.Plugin.csproj">
|
|
||||||
<Project>{8451ECDD-2EA4-4966-BB0A-7BBC40138E80}</Project>
|
|
||||||
<Name>Wox.Plugin</Name>
|
|
||||||
</ProjectReference>
|
|
||||||
</ItemGroup>
|
|
||||||
<Import Project="$(MSBuildToolsPath)\Microsoft.CSharp.targets" />
|
|
||||||
<PropertyGroup>
|
|
||||||
<PostBuildEvent>
|
|
||||||
</PostBuildEvent>
|
|
||||||
</PropertyGroup>
|
|
||||||
<Import Project="$(SolutionDir)\.nuget\NuGet.targets" Condition="Exists('$(SolutionDir)\.nuget\NuGet.targets')" />
|
|
||||||
<Target Name="EnsureNuGetPackageBuildImports" BeforeTargets="PrepareForBuild">
|
|
||||||
<PropertyGroup>
|
|
||||||
<ErrorText>这台计算机上缺少此项目引用的 NuGet 程序包。启用“NuGet 程序包还原”可下载这些程序包。有关详细信息,请参阅 http://go.microsoft.com/fwlink/?LinkID=322105。缺少的文件是 {0}。</ErrorText>
|
|
||||||
</PropertyGroup>
|
|
||||||
<Error Condition="!Exists('$(SolutionDir)\.nuget\NuGet.targets')" Text="$([System.String]::Format('$(ErrorText)', '$(SolutionDir)\.nuget\NuGet.targets'))" />
|
|
||||||
</Target>
|
|
||||||
<!-- To modify your build process, add your task inside one of the targets below and uncomment it.
|
|
||||||
Other similar extension points exist, see Microsoft.Common.targets.
|
|
||||||
<Target Name="BeforeBuild">
|
|
||||||
</Target>
|
|
||||||
<Target Name="AfterBuild">
|
|
||||||
</Target>
|
|
||||||
-->
|
|
||||||
</Project>
|
|
||||||
@@ -1,4 +0,0 @@
|
|||||||
<?xml version="1.0" encoding="utf-8"?>
|
|
||||||
<packages>
|
|
||||||
<package id="Newtonsoft.Json" version="5.0.8" targetFramework="net35" />
|
|
||||||
</packages>
|
|
||||||
@@ -1,11 +0,0 @@
|
|||||||
{
|
|
||||||
"ID":"095A6AE3A254432EBBD78F05A71D4981",
|
|
||||||
"ActionKeyword":"yd",
|
|
||||||
"Name":"Youdao Translator",
|
|
||||||
"Description":"Translate Chinese and English",
|
|
||||||
"Author":"qianlifeng",
|
|
||||||
"Version":"1.0",
|
|
||||||
"Language":"csharp",
|
|
||||||
"Website":"http://www.getwox.com",
|
|
||||||
"ExecuteFileName":"Wox.Plugin.Youdao.dll"
|
|
||||||
}
|
|
||||||
28
Wox.sln
28
Wox.sln
@@ -13,22 +13,14 @@ Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Wox", "Wox\Wox.csproj", "{D
|
|||||||
EndProject
|
EndProject
|
||||||
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Wox.Plugin.System", "Wox.Plugin.System\Wox.Plugin.System.csproj", "{69CE0206-CB41-453D-88AF-DF86092EF9B8}"
|
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Wox.Plugin.System", "Wox.Plugin.System\Wox.Plugin.System.csproj", "{69CE0206-CB41-453D-88AF-DF86092EF9B8}"
|
||||||
EndProject
|
EndProject
|
||||||
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Wox.Plugin.Fanyi", "Plugins\Wox.Plugin.Fanyi\Wox.Plugin.Fanyi.csproj", "{353769D3-D11C-4D86-BD06-AC8C1D68642B}"
|
|
||||||
EndProject
|
|
||||||
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Python.Runtime", "Pythonnet.Runtime\Python.Runtime.csproj", "{097B4AC0-74E9-4C58-BCF8-C69746EC8271}"
|
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Python.Runtime", "Pythonnet.Runtime\Python.Runtime.csproj", "{097B4AC0-74E9-4C58-BCF8-C69746EC8271}"
|
||||||
EndProject
|
EndProject
|
||||||
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Wox.Infrastructure", "Wox.Infrastructure\Wox.Infrastructure.csproj", "{4FD29318-A8AB-4D8F-AA47-60BC241B8DA3}"
|
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Wox.Infrastructure", "Wox.Infrastructure\Wox.Infrastructure.csproj", "{4FD29318-A8AB-4D8F-AA47-60BC241B8DA3}"
|
||||||
EndProject
|
EndProject
|
||||||
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Wox.Plugin.Everything", "Plugins\Wox.Plugin.Everything\Wox.Plugin.Everything.csproj", "{230AE83F-E92E-4E69-8355-426B305DA9C0}"
|
|
||||||
EndProject
|
|
||||||
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Wox.UAC", "Wox.UAC\Wox.UAC.csproj", "{C9BC17A0-C2BC-4185-AC1F-32E3352C1233}"
|
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Wox.UAC", "Wox.UAC\Wox.UAC.csproj", "{C9BC17A0-C2BC-4185-AC1F-32E3352C1233}"
|
||||||
EndProject
|
EndProject
|
||||||
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Wox.Plugin.Clipboard", "Plugins\Wox.Plugin.Clipboard\Wox.Plugin.Clipboard.csproj", "{8C14DC11-2737-4DCB-A121-5D7BDD57FEA2}"
|
|
||||||
EndProject
|
|
||||||
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Wox.Plugin.PluginManagement", "Plugins\Wox.Plugin.PluginManagement\Wox.Plugin.PluginManagement.csproj", "{049490F0-ECD2-4148-9B39-2135EC346EBE}"
|
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Wox.Plugin.PluginManagement", "Plugins\Wox.Plugin.PluginManagement\Wox.Plugin.PluginManagement.csproj", "{049490F0-ECD2-4148-9B39-2135EC346EBE}"
|
||||||
EndProject
|
EndProject
|
||||||
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Wox.Plugin.Youdao", "Plugins\Wox.Plugin.Youdao\Wox.Plugin.Youdao.csproj", "{AE02E18E-2134-472B-9282-32CDE36B5F0C}"
|
|
||||||
EndProject
|
|
||||||
Global
|
Global
|
||||||
GlobalSection(SolutionConfigurationPlatforms) = preSolution
|
GlobalSection(SolutionConfigurationPlatforms) = preSolution
|
||||||
Debug|Any CPU = Debug|Any CPU
|
Debug|Any CPU = Debug|Any CPU
|
||||||
@@ -51,10 +43,6 @@ Global
|
|||||||
{69CE0206-CB41-453D-88AF-DF86092EF9B8}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
{69CE0206-CB41-453D-88AF-DF86092EF9B8}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
||||||
{69CE0206-CB41-453D-88AF-DF86092EF9B8}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
{69CE0206-CB41-453D-88AF-DF86092EF9B8}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
||||||
{69CE0206-CB41-453D-88AF-DF86092EF9B8}.Release|Any CPU.Build.0 = Release|Any CPU
|
{69CE0206-CB41-453D-88AF-DF86092EF9B8}.Release|Any CPU.Build.0 = Release|Any CPU
|
||||||
{353769D3-D11C-4D86-BD06-AC8C1D68642B}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
|
|
||||||
{353769D3-D11C-4D86-BD06-AC8C1D68642B}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
|
||||||
{353769D3-D11C-4D86-BD06-AC8C1D68642B}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
|
||||||
{353769D3-D11C-4D86-BD06-AC8C1D68642B}.Release|Any CPU.Build.0 = Release|Any CPU
|
|
||||||
{097B4AC0-74E9-4C58-BCF8-C69746EC8271}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
|
{097B4AC0-74E9-4C58-BCF8-C69746EC8271}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
|
||||||
{097B4AC0-74E9-4C58-BCF8-C69746EC8271}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
{097B4AC0-74E9-4C58-BCF8-C69746EC8271}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
||||||
{097B4AC0-74E9-4C58-BCF8-C69746EC8271}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
{097B4AC0-74E9-4C58-BCF8-C69746EC8271}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
||||||
@@ -63,35 +51,19 @@ Global
|
|||||||
{4FD29318-A8AB-4D8F-AA47-60BC241B8DA3}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
{4FD29318-A8AB-4D8F-AA47-60BC241B8DA3}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
||||||
{4FD29318-A8AB-4D8F-AA47-60BC241B8DA3}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
{4FD29318-A8AB-4D8F-AA47-60BC241B8DA3}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
||||||
{4FD29318-A8AB-4D8F-AA47-60BC241B8DA3}.Release|Any CPU.Build.0 = Release|Any CPU
|
{4FD29318-A8AB-4D8F-AA47-60BC241B8DA3}.Release|Any CPU.Build.0 = Release|Any CPU
|
||||||
{230AE83F-E92E-4E69-8355-426B305DA9C0}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
|
|
||||||
{230AE83F-E92E-4E69-8355-426B305DA9C0}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
|
||||||
{230AE83F-E92E-4E69-8355-426B305DA9C0}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
|
||||||
{230AE83F-E92E-4E69-8355-426B305DA9C0}.Release|Any CPU.Build.0 = Release|Any CPU
|
|
||||||
{C9BC17A0-C2BC-4185-AC1F-32E3352C1233}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
|
{C9BC17A0-C2BC-4185-AC1F-32E3352C1233}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
|
||||||
{C9BC17A0-C2BC-4185-AC1F-32E3352C1233}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
{C9BC17A0-C2BC-4185-AC1F-32E3352C1233}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
||||||
{C9BC17A0-C2BC-4185-AC1F-32E3352C1233}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
{C9BC17A0-C2BC-4185-AC1F-32E3352C1233}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
||||||
{C9BC17A0-C2BC-4185-AC1F-32E3352C1233}.Release|Any CPU.Build.0 = Release|Any CPU
|
{C9BC17A0-C2BC-4185-AC1F-32E3352C1233}.Release|Any CPU.Build.0 = Release|Any CPU
|
||||||
{8C14DC11-2737-4DCB-A121-5D7BDD57FEA2}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
|
|
||||||
{8C14DC11-2737-4DCB-A121-5D7BDD57FEA2}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
|
||||||
{8C14DC11-2737-4DCB-A121-5D7BDD57FEA2}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
|
||||||
{8C14DC11-2737-4DCB-A121-5D7BDD57FEA2}.Release|Any CPU.Build.0 = Release|Any CPU
|
|
||||||
{049490F0-ECD2-4148-9B39-2135EC346EBE}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
|
{049490F0-ECD2-4148-9B39-2135EC346EBE}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
|
||||||
{049490F0-ECD2-4148-9B39-2135EC346EBE}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
{049490F0-ECD2-4148-9B39-2135EC346EBE}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
||||||
{049490F0-ECD2-4148-9B39-2135EC346EBE}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
{049490F0-ECD2-4148-9B39-2135EC346EBE}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
||||||
{049490F0-ECD2-4148-9B39-2135EC346EBE}.Release|Any CPU.Build.0 = Release|Any CPU
|
{049490F0-ECD2-4148-9B39-2135EC346EBE}.Release|Any CPU.Build.0 = Release|Any CPU
|
||||||
{AE02E18E-2134-472B-9282-32CDE36B5F0C}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
|
|
||||||
{AE02E18E-2134-472B-9282-32CDE36B5F0C}.Debug|Any CPU.Build.0 = Debug|Any CPU
|
|
||||||
{AE02E18E-2134-472B-9282-32CDE36B5F0C}.Release|Any CPU.ActiveCfg = Release|Any CPU
|
|
||||||
{AE02E18E-2134-472B-9282-32CDE36B5F0C}.Release|Any CPU.Build.0 = Release|Any CPU
|
|
||||||
EndGlobalSection
|
EndGlobalSection
|
||||||
GlobalSection(SolutionProperties) = preSolution
|
GlobalSection(SolutionProperties) = preSolution
|
||||||
HideSolutionNode = FALSE
|
HideSolutionNode = FALSE
|
||||||
EndGlobalSection
|
EndGlobalSection
|
||||||
GlobalSection(NestedProjects) = preSolution
|
GlobalSection(NestedProjects) = preSolution
|
||||||
{353769D3-D11C-4D86-BD06-AC8C1D68642B} = {3A73F5A7-0335-40D8-BF7C-F20BE5D0BA87}
|
|
||||||
{230AE83F-E92E-4E69-8355-426B305DA9C0} = {3A73F5A7-0335-40D8-BF7C-F20BE5D0BA87}
|
|
||||||
{8C14DC11-2737-4DCB-A121-5D7BDD57FEA2} = {3A73F5A7-0335-40D8-BF7C-F20BE5D0BA87}
|
|
||||||
{049490F0-ECD2-4148-9B39-2135EC346EBE} = {3A73F5A7-0335-40D8-BF7C-F20BE5D0BA87}
|
{049490F0-ECD2-4148-9B39-2135EC346EBE} = {3A73F5A7-0335-40D8-BF7C-F20BE5D0BA87}
|
||||||
{AE02E18E-2134-472B-9282-32CDE36B5F0C} = {3A73F5A7-0335-40D8-BF7C-F20BE5D0BA87}
|
|
||||||
EndGlobalSection
|
EndGlobalSection
|
||||||
EndGlobal
|
EndGlobal
|
||||||
|
|||||||
Reference in New Issue
Block a user