initial commit

This commit is contained in:
Mercurio 2024-09-05 12:08:26 +02:00
commit 8390361bd5
42 changed files with 1310 additions and 0 deletions

View file

@ -0,0 +1,13 @@
# Default ignored files
/shelf/
/workspace.xml
# Rider ignored files
/.idea.2dxAutoClip.iml
/modules.xml
/contentModel.xml
/projectSettingsUpdater.xml
# Editor-based HTTP Client requests
/httpRequests/
# Datasource local storage ignored files
/dataSources/
/dataSources.local.xml

View file

@ -0,0 +1,4 @@
<?xml version="1.0" encoding="UTF-8"?>
<project version="4">
<component name="Encoding" addBOMForNewFiles="with BOM under Windows, with no BOM otherwise" />
</project>

View file

@ -0,0 +1,8 @@
<?xml version="1.0" encoding="UTF-8"?>
<project version="4">
<component name="UserContentModel">
<attachedFolders />
<explicitIncludes />
<explicitExcludes />
</component>
</project>

16
2dxAutoClip.sln Normal file
View file

@ -0,0 +1,16 @@

Microsoft Visual Studio Solution File, Format Version 12.00
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "2dxAutoClip", "2dxAutoClip\2dxAutoClip.csproj", "{BE97BB21-5641-4910-9D40-F36EF35EDEA5}"
EndProject
Global
GlobalSection(SolutionConfigurationPlatforms) = preSolution
Debug|Any CPU = Debug|Any CPU
Release|Any CPU = Release|Any CPU
EndGlobalSection
GlobalSection(ProjectConfigurationPlatforms) = postSolution
{BE97BB21-5641-4910-9D40-F36EF35EDEA5}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
{BE97BB21-5641-4910-9D40-F36EF35EDEA5}.Debug|Any CPU.Build.0 = Debug|Any CPU
{BE97BB21-5641-4910-9D40-F36EF35EDEA5}.Release|Any CPU.ActiveCfg = Release|Any CPU
{BE97BB21-5641-4910-9D40-F36EF35EDEA5}.Release|Any CPU.Build.0 = Release|Any CPU
EndGlobalSection
EndGlobal

View file

@ -0,0 +1,18 @@
<Project Sdk="Microsoft.NET.Sdk">
<PropertyGroup>
<OutputType>Exe</OutputType>
<TargetFramework>net8.0</TargetFramework>
<RootNamespace>_2dxAutoClip</RootNamespace>
<ImplicitUsings>enable</ImplicitUsings>
<Nullable>enable</Nullable>
</PropertyGroup>
<ItemGroup>
<PackageReference Include="NAudio" Version="2.2.1" />
<PackageReference Include="NAudio.Wasapi" Version="2.2.1" />
<PackageReference Include="NAudio.WinMM" Version="2.2.1" />
<PackageReference Include="WebSocketSharp" Version="1.0.3-rc11" />
</ItemGroup>
</Project>

260
2dxAutoClip/Program.cs Normal file
View file

@ -0,0 +1,260 @@
using System.Diagnostics;
using System.Net.WebSockets;
using System.Text;
using NAudio.CoreAudioApi;
using NAudio.Wave;
namespace _2dxAutoClip;
class Program
{
private static readonly string WebsocketAddress = "localhost";
private static readonly int WebsocketPort = 10573;
private static Process? _ffmpegProcess;
private static string _ffmpegFolderPath = "E:\\autorecording"; // Output folder path
private static WasapiCapture? _waveSource;
private static WaveFileWriter? _waveFile;
private static string _audioFilePath;
private static string _videoFilePath;
private static async Task Main(string[] args)
{
var spiceProcesses = Process.GetProcessesByName("spice64");
if (spiceProcesses.Length > 0)
{
Console.WriteLine("Found spice64, Attempting connection to TickerHookWS...");
await ConnectWebSocket();
}
else
{
Console.WriteLine("Unable to find Spice64. Are you sure Beatmania IIDX is running and TickerHook is enabled?");
}
}
private static async Task ConnectWebSocket()
{
var tickerUri = new Uri($"ws://{WebsocketAddress}:{WebsocketPort}");
var reconnecting = false;
var lastMessage = string.Empty;
var consecutiveMessageCount = 0;
var isRecording = false;
var currentSongName = string.Empty;
using var clientWebSocket = new ClientWebSocket();
try
{
await clientWebSocket.ConnectAsync(tickerUri, CancellationToken.None);
Console.WriteLine("Connected to TickerHook WebSocket.");
}
catch (Exception ex)
{
Console.WriteLine($"Error connecting to TickerHook WebSocket: {ex.Message}");
return;
}
var buffer = new byte[1024];
while (clientWebSocket.State == WebSocketState.Open)
{
WebSocketReceiveResult result;
try
{
result = await clientWebSocket.ReceiveAsync(new ArraySegment<byte>(buffer), CancellationToken.None);
}
catch (Exception ex)
{
Console.WriteLine($"Error receiving message: {ex.Message}");
reconnecting = true;
break;
}
var message = Encoding.UTF8.GetString(buffer, 0, result.Count).Trim().ToUpper();
Console.WriteLine($"Received message: {message}");
if (message == lastMessage && !message.Contains("SELECT FROM"))
{
consecutiveMessageCount++;
}
else
{
consecutiveMessageCount = 1;
lastMessage = message;
}
if (consecutiveMessageCount >= 2 && !message.Contains("SELECT FROM") && !isRecording)
{
currentSongName = message;
Console.WriteLine("Starting recording...");
StartRecording(currentSongName);
isRecording = true;
}
if (!isRecording || (!message.EndsWith("CLEAR!") && !message.EndsWith("FAILED.."))) continue;
Console.WriteLine("Stopping recording...");
StopRecording(currentSongName);
isRecording = false;
}
if (reconnecting)
{
await Task.Delay(10000);
await ConnectWebSocket();
}
}
private static void StartRecording(string songName)
{
Task.Run(() => StartAudioRecording(songName));
StartFfmpegRecording(songName);
}
private static void StartAudioRecording(string songName)
{
try
{
var date = DateTime.Now.ToString("yyyy-MM-dd_HH-mm-ss");
_audioFilePath = $"{_ffmpegFolderPath}\\{songName}_{date}.wav";
var deviceEnumerator = new MMDeviceEnumerator();
var defaultDevice = deviceEnumerator.GetDefaultAudioEndpoint(DataFlow.Capture, Role.Console);
if (defaultDevice == null)
{
Console.WriteLine("No audio device found.");
return;
}
_waveSource = new WasapiCapture(defaultDevice);
_waveSource.WaveFormat = new WaveFormat(48000, 2); // 48kHz, Stereo
_waveSource.DataAvailable += (_, args) =>
{
if (_waveFile == null) return;
try
{
_waveFile.Write(args.Buffer, 0, args.BytesRecorded);
_waveFile.Flush();
}
catch (Exception ex)
{
Console.WriteLine($"Error writing to file: {ex.Message}");
}
};
_waveSource.RecordingStopped += (_, _) =>
{
try
{
_waveFile?.Dispose();
_waveFile = null;
}
catch (Exception ex)
{
Console.WriteLine($"Error disposing wave file: {ex.Message}");
}
finally
{
_waveSource?.Dispose();
}
};
_waveFile = new WaveFileWriter(_audioFilePath, _waveSource.WaveFormat);
_waveSource.StartRecording();
Console.WriteLine("WASAPI Audio recording started.");
}
catch (Exception ex)
{
Console.WriteLine($"Error starting audio recording: {ex.Message}");
}
}
private static void StartFfmpegRecording(string songName)
{
var date = DateTime.Now.ToString("yyyy-MM-dd_HH-mm-ss");
_videoFilePath = $"{_ffmpegFolderPath}\\{songName}_{date}.mkv";
var ffmpegArguments = $"-framerate 60 " +
$"-filter_complex \"ddagrab=0,hwdownload,format=bgra\" " +
$"-c:v libx264 -movflags +faststart -crf 20 -y \"{_videoFilePath}\"";
_ffmpegProcess = new Process();
_ffmpegProcess.StartInfo.FileName = "ffmpeg";
_ffmpegProcess.StartInfo.Arguments = ffmpegArguments;
_ffmpegProcess.StartInfo.UseShellExecute = false;
_ffmpegProcess.StartInfo.RedirectStandardOutput = true;
_ffmpegProcess.StartInfo.RedirectStandardError = true;
_ffmpegProcess.StartInfo.CreateNoWindow = true;
_ffmpegProcess.OutputDataReceived += (_, args) => Console.WriteLine(args.Data);
_ffmpegProcess.ErrorDataReceived += (_, args) => Console.WriteLine(args.Data);
_ffmpegProcess.Start();
_ffmpegProcess.BeginOutputReadLine();
_ffmpegProcess.BeginErrorReadLine();
}
private static void StopRecording(string songName)
{
StopFfmpegRecording();
StopAudioRecording();
CombineAudioAndVideo(_videoFilePath, _audioFilePath, songName);
}
private static void StopAudioRecording()
{
if (_waveSource == null) return;
_waveSource.StopRecording();
_waveSource.Dispose();
_waveSource = null;
Console.WriteLine("Audio recording stopped.");
}
private static void StopFfmpegRecording()
{
if (_ffmpegProcess != null && _ffmpegProcess.HasExited) return;
_ffmpegProcess?.Kill();
_ffmpegProcess?.WaitForExit();
_ffmpegProcess?.Dispose();
_ffmpegProcess = null;
Console.WriteLine("FFMPEG process stopped.");
}
private static void CombineAudioAndVideo(string videoFilePath, string audioFilePath, string songName)
{
var combinedOutputFilePath = $"{_ffmpegFolderPath}\\{songName}_combined_{DateTime.Now:yyyy-MM-dd_HH-mm-ss}.mkv";
var ffmpegArgs = $"-y -i \"{videoFilePath}\" -i \"{audioFilePath}\" -c:v copy -c:a aac -strict experimental \"{combinedOutputFilePath}\"";
var processInfo = new ProcessStartInfo
{
FileName = "ffmpeg",
Arguments = ffmpegArgs,
RedirectStandardOutput = true,
RedirectStandardError = true,
UseShellExecute = false,
CreateNoWindow = true
};
using var process = Process.Start(processInfo);
if (process == null)
{
Console.WriteLine("FFmpeg failed to start.");
return;
}
var output = process.StandardOutput.ReadToEnd();
var error = process.StandardError.ReadToEnd();
process.WaitForExit();
Console.WriteLine("FFmpeg Output: " + output);
Console.WriteLine("FFmpeg Error: " + error);
Console.WriteLine(File.Exists(combinedOutputFilePath)
? "Audio and video have been successfully combined."
: "Failed to combine audio and video. Check the logs for errors.");
}
}

View file

@ -0,0 +1,197 @@
{
"runtimeTarget": {
"name": ".NETCoreApp,Version=v8.0",
"signature": ""
},
"compilationOptions": {},
"targets": {
".NETCoreApp,Version=v8.0": {
"2dxAutoClip/1.0.0": {
"dependencies": {
"NAudio": "2.2.1",
"NAudio.Wasapi": "2.2.1",
"NAudio.WinMM": "2.2.1",
"WebSocketSharp": "1.0.3-rc11"
},
"runtime": {
"2dxAutoClip.dll": {}
}
},
"Microsoft.NETCore.Platforms/3.1.0": {},
"Microsoft.Win32.Registry/4.7.0": {
"dependencies": {
"System.Security.AccessControl": "4.7.0",
"System.Security.Principal.Windows": "4.7.0"
}
},
"NAudio/2.2.1": {
"dependencies": {
"NAudio.Asio": "2.2.1",
"NAudio.Core": "2.2.1",
"NAudio.Midi": "2.2.1",
"NAudio.Wasapi": "2.2.1",
"NAudio.WinMM": "2.2.1"
},
"runtime": {
"lib/net6.0/NAudio.dll": {
"assemblyVersion": "2.2.1.0",
"fileVersion": "2.2.1.0"
}
}
},
"NAudio.Asio/2.2.1": {
"dependencies": {
"Microsoft.Win32.Registry": "4.7.0",
"NAudio.Core": "2.2.1"
},
"runtime": {
"lib/netstandard2.0/NAudio.Asio.dll": {
"assemblyVersion": "2.2.1.0",
"fileVersion": "2.2.1.0"
}
}
},
"NAudio.Core/2.2.1": {
"runtime": {
"lib/netstandard2.0/NAudio.Core.dll": {
"assemblyVersion": "2.2.1.0",
"fileVersion": "2.2.1.0"
}
}
},
"NAudio.Midi/2.2.1": {
"dependencies": {
"NAudio.Core": "2.2.1"
},
"runtime": {
"lib/netstandard2.0/NAudio.Midi.dll": {
"assemblyVersion": "2.2.1.0",
"fileVersion": "2.2.1.0"
}
}
},
"NAudio.Wasapi/2.2.1": {
"dependencies": {
"NAudio.Core": "2.2.1"
},
"runtime": {
"lib/netstandard2.0/NAudio.Wasapi.dll": {
"assemblyVersion": "2.2.1.0",
"fileVersion": "2.2.1.0"
}
}
},
"NAudio.WinMM/2.2.1": {
"dependencies": {
"Microsoft.Win32.Registry": "4.7.0",
"NAudio.Core": "2.2.1"
},
"runtime": {
"lib/netstandard2.0/NAudio.WinMM.dll": {
"assemblyVersion": "2.2.1.0",
"fileVersion": "2.2.1.0"
}
}
},
"System.Security.AccessControl/4.7.0": {
"dependencies": {
"Microsoft.NETCore.Platforms": "3.1.0",
"System.Security.Principal.Windows": "4.7.0"
}
},
"System.Security.Principal.Windows/4.7.0": {},
"WebSocketSharp/1.0.3-rc11": {
"runtime": {
"lib/websocket-sharp.dll": {
"assemblyVersion": "1.0.2.59611",
"fileVersion": "1.0.2.59611"
}
}
}
}
},
"libraries": {
"2dxAutoClip/1.0.0": {
"type": "project",
"serviceable": false,
"sha512": ""
},
"Microsoft.NETCore.Platforms/3.1.0": {
"type": "package",
"serviceable": true,
"sha512": "sha512-z7aeg8oHln2CuNulfhiLYxCVMPEwBl3rzicjvIX+4sUuCwvXw5oXQEtbiU2c0z4qYL5L3Kmx0mMA/+t/SbY67w==",
"path": "microsoft.netcore.platforms/3.1.0",
"hashPath": "microsoft.netcore.platforms.3.1.0.nupkg.sha512"
},
"Microsoft.Win32.Registry/4.7.0": {
"type": "package",
"serviceable": true,
"sha512": "sha512-KSrRMb5vNi0CWSGG1++id2ZOs/1QhRqROt+qgbEAdQuGjGrFcl4AOl4/exGPUYz2wUnU42nvJqon1T3U0kPXLA==",
"path": "microsoft.win32.registry/4.7.0",
"hashPath": "microsoft.win32.registry.4.7.0.nupkg.sha512"
},
"NAudio/2.2.1": {
"type": "package",
"serviceable": true,
"sha512": "sha512-c0DzwiyyklM0TP39Y7RObwO3QkWecgM6H60ikiEnsV/aEAJPbj5MFCLaD8BSfKuZe0HGuh9GRGWWlJmSxDc9MA==",
"path": "naudio/2.2.1",
"hashPath": "naudio.2.2.1.nupkg.sha512"
},
"NAudio.Asio/2.2.1": {
"type": "package",
"serviceable": true,
"sha512": "sha512-hQglyOT5iT3XuGpBP8ZG0+aoqwRfidHjTNehpoWwX0g6KJEgtH2VaqM2nuJ2mheKZa/IBqB4YQTZVvrIapzfOA==",
"path": "naudio.asio/2.2.1",
"hashPath": "naudio.asio.2.2.1.nupkg.sha512"
},
"NAudio.Core/2.2.1": {
"type": "package",
"serviceable": true,
"sha512": "sha512-GgkdP6K/7FqXFo7uHvoqGZTJvW4z8g2IffhOO4JHaLzKCdDOUEzVKtveoZkCuUX8eV2HAINqi7VFqlFndrnz/g==",
"path": "naudio.core/2.2.1",
"hashPath": "naudio.core.2.2.1.nupkg.sha512"
},
"NAudio.Midi/2.2.1": {
"type": "package",
"serviceable": true,
"sha512": "sha512-6r23ylGo5aeP02WFXsPquz0T0hFJWyh+7t++tz19tc3Kr38NHm+Z9j+FiAv+xkH8tZqXJqus9Q8p6u7bidIgbw==",
"path": "naudio.midi/2.2.1",
"hashPath": "naudio.midi.2.2.1.nupkg.sha512"
},
"NAudio.Wasapi/2.2.1": {
"type": "package",
"serviceable": true,
"sha512": "sha512-lFfXoqacZZe0WqNChJgGYI+XV/n/61LzPHT3C1CJp4khoxeo2sziyX5wzNYWeCMNbsWxFvT3b3iXeY1UYjBhZw==",
"path": "naudio.wasapi/2.2.1",
"hashPath": "naudio.wasapi.2.2.1.nupkg.sha512"
},
"NAudio.WinMM/2.2.1": {
"type": "package",
"serviceable": true,
"sha512": "sha512-xFHRFwH4x6aq3IxRbewvO33ugJRvZFEOfO62i7uQJRUNW2cnu6BeBTHUS0JD5KBucZbHZaYqxQG8dwZ47ezQuQ==",
"path": "naudio.winmm/2.2.1",
"hashPath": "naudio.winmm.2.2.1.nupkg.sha512"
},
"System.Security.AccessControl/4.7.0": {
"type": "package",
"serviceable": true,
"sha512": "sha512-JECvTt5aFF3WT3gHpfofL2MNNP6v84sxtXxpqhLBCcDRzqsPBmHhQ6shv4DwwN2tRlzsUxtb3G9M3763rbXKDg==",
"path": "system.security.accesscontrol/4.7.0",
"hashPath": "system.security.accesscontrol.4.7.0.nupkg.sha512"
},
"System.Security.Principal.Windows/4.7.0": {
"type": "package",
"serviceable": true,
"sha512": "sha512-ojD0PX0XhneCsUbAZVKdb7h/70vyYMDYs85lwEI+LngEONe/17A0cFaRFqZU+sOEidcVswYWikYOQ9PPfjlbtQ==",
"path": "system.security.principal.windows/4.7.0",
"hashPath": "system.security.principal.windows.4.7.0.nupkg.sha512"
},
"WebSocketSharp/1.0.3-rc11": {
"type": "package",
"serviceable": true,
"sha512": "sha512-7VCF7f7zVMOvLGD8LeGS4DVXc8lOcB6kXnUMeTxigu+PMiU+6wW5Olq2gYrDU8vDRKOwFY+5RyBaLyzb8skEzA==",
"path": "websocketsharp/1.0.3-rc11",
"hashPath": "websocketsharp.1.0.3-rc11.nupkg.sha512"
}
}
}

Binary file not shown.

Binary file not shown.

Binary file not shown.

View file

@ -0,0 +1,12 @@
{
"runtimeOptions": {
"tfm": "net8.0",
"framework": {
"name": "Microsoft.NETCore.App",
"version": "8.0.0"
},
"configProperties": {
"System.Runtime.Serialization.EnableUnsafeBinaryFormatterSerialization": false
}
}
}

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

View file

@ -0,0 +1,86 @@
{
"format": 1,
"restore": {
"E:\\csharpcazzo\\2dxAutoClip\\2dxAutoClip\\2dxAutoClip.csproj": {}
},
"projects": {
"E:\\csharpcazzo\\2dxAutoClip\\2dxAutoClip\\2dxAutoClip.csproj": {
"version": "1.0.0",
"restore": {
"projectUniqueName": "E:\\csharpcazzo\\2dxAutoClip\\2dxAutoClip\\2dxAutoClip.csproj",
"projectName": "2dxAutoClip",
"projectPath": "E:\\csharpcazzo\\2dxAutoClip\\2dxAutoClip\\2dxAutoClip.csproj",
"packagesPath": "C:\\Users\\Mercury\\.nuget\\packages\\",
"outputPath": "E:\\csharpcazzo\\2dxAutoClip\\2dxAutoClip\\obj\\",
"projectStyle": "PackageReference",
"fallbackFolders": [
"C:\\Program Files (x86)\\Microsoft Visual Studio\\Shared\\NuGetPackages"
],
"configFilePaths": [
"C:\\Users\\Mercury\\AppData\\Roaming\\NuGet\\NuGet.Config",
"C:\\Program Files (x86)\\NuGet\\Config\\Microsoft.VisualStudio.FallbackLocation.config",
"C:\\Program Files (x86)\\NuGet\\Config\\Microsoft.VisualStudio.Offline.config"
],
"originalTargetFrameworks": [
"net8.0"
],
"sources": {
"C:\\Program Files (x86)\\Microsoft SDKs\\NuGetPackages\\": {},
"C:\\Program Files\\dotnet\\library-packs": {},
"https://api.nuget.org/v3/index.json": {}
},
"frameworks": {
"net8.0": {
"targetAlias": "net8.0",
"projectReferences": {}
}
},
"warningProperties": {
"warnAsError": [
"NU1605"
]
}
},
"frameworks": {
"net8.0": {
"targetAlias": "net8.0",
"dependencies": {
"NAudio": {
"target": "Package",
"version": "[2.2.1, )"
},
"NAudio.Wasapi": {
"target": "Package",
"version": "[2.2.1, )"
},
"NAudio.WinMM": {
"target": "Package",
"version": "[2.2.1, )"
},
"WebSocketSharp": {
"target": "Package",
"version": "[1.0.3-rc11, )"
}
},
"imports": [
"net461",
"net462",
"net47",
"net471",
"net472",
"net48",
"net481"
],
"assetTargetFallback": true,
"warn": true,
"frameworkReferences": {
"Microsoft.NETCore.App": {
"privateAssets": "all"
}
},
"runtimeIdentifierGraphPath": "C:\\Program Files\\dotnet\\sdk\\8.0.300/PortableRuntimeIdentifierGraph.json"
}
}
}
}
}

View file

@ -0,0 +1,16 @@
<?xml version="1.0" encoding="utf-8" standalone="no"?>
<Project ToolsVersion="14.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003">
<PropertyGroup Condition=" '$(ExcludeRestorePackageImports)' != 'true' ">
<RestoreSuccess Condition=" '$(RestoreSuccess)' == '' ">True</RestoreSuccess>
<RestoreTool Condition=" '$(RestoreTool)' == '' ">NuGet</RestoreTool>
<ProjectAssetsFile Condition=" '$(ProjectAssetsFile)' == '' ">$(MSBuildThisFileDirectory)project.assets.json</ProjectAssetsFile>
<NuGetPackageRoot Condition=" '$(NuGetPackageRoot)' == '' ">$(UserProfile)\.nuget\packages\</NuGetPackageRoot>
<NuGetPackageFolders Condition=" '$(NuGetPackageFolders)' == '' ">C:\Users\Mercury\.nuget\packages\;C:\Program Files (x86)\Microsoft Visual Studio\Shared\NuGetPackages</NuGetPackageFolders>
<NuGetProjectStyle Condition=" '$(NuGetProjectStyle)' == '' ">PackageReference</NuGetProjectStyle>
<NuGetToolVersion Condition=" '$(NuGetToolVersion)' == '' ">6.9.1</NuGetToolVersion>
</PropertyGroup>
<ItemGroup Condition=" '$(ExcludeRestorePackageImports)' != 'true' ">
<SourceRoot Include="C:\Users\Mercury\.nuget\packages\" />
<SourceRoot Include="C:\Program Files (x86)\Microsoft Visual Studio\Shared\NuGetPackages\" />
</ItemGroup>
</Project>

View file

@ -0,0 +1,2 @@
<?xml version="1.0" encoding="utf-8" standalone="no"?>
<Project ToolsVersion="14.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003" />

View file

@ -0,0 +1,4 @@
// <autogenerated />
using System;
using System.Reflection;
[assembly: global::System.Runtime.Versioning.TargetFrameworkAttribute(".NETCoreApp,Version=v8.0", FrameworkDisplayName = ".NET 8.0")]

View file

@ -0,0 +1,21 @@
//------------------------------------------------------------------------------
// <auto-generated>
// This code was generated by a tool.
//
// Changes to this file may cause incorrect behavior and will be lost if
// the code is regenerated.
// </auto-generated>
//------------------------------------------------------------------------------
using System.Reflection;
[assembly: AssemblyCompany("2dxAutoClip")]
[assembly: AssemblyConfiguration("Debug")]
[assembly: AssemblyFileVersion("1.0.0.0")]
[assembly: AssemblyInformationalVersion("1.0.0")]
[assembly: AssemblyProduct("2dxAutoClip")]
[assembly: AssemblyTitle("2dxAutoClip")]
[assembly: AssemblyVersion("1.0.0.0")]
// Generated by the MSBuild WriteCodeFragment class.

View file

@ -0,0 +1 @@
7635c290b171d12bdaba6f9306bc53a9b3059b9a36a579f0cf03f4dc42cb246c

View file

@ -0,0 +1,13 @@
is_global = true
build_property.TargetFramework = net8.0
build_property.TargetPlatformMinVersion =
build_property.UsingMicrosoftNETSdkWeb =
build_property.ProjectTypeGuids =
build_property.InvariantGlobalization =
build_property.PlatformNeutralAssembly =
build_property.EnforceExtendedAnalyzerRules =
build_property._SupportedPlatformList = Linux,macOS,Windows
build_property.RootNamespace = _2dxAutoClip
build_property.ProjectDir = E:\csharpcazzo\2dxAutoClip\2dxAutoClip\
build_property.EnableComHosting =
build_property.EnableGeneratedComInterfaceComImportInterop =

View file

@ -0,0 +1,8 @@
// <auto-generated/>
global using System;
global using System.Collections.Generic;
global using System.IO;
global using System.Linq;
global using System.Net.Http;
global using System.Threading;
global using System.Threading.Tasks;

Binary file not shown.

View file

@ -0,0 +1 @@
0830f1c6b30f5c8085083f5a29432e6cf789b459174976f5fd1eba8751b79c8b

View file

@ -0,0 +1,23 @@
E:\csharpcazzo\2dxAutoClip\2dxAutoClip\bin\Debug\net8.0\2dxAutoClip.exe
E:\csharpcazzo\2dxAutoClip\2dxAutoClip\bin\Debug\net8.0\2dxAutoClip.deps.json
E:\csharpcazzo\2dxAutoClip\2dxAutoClip\bin\Debug\net8.0\2dxAutoClip.runtimeconfig.json
E:\csharpcazzo\2dxAutoClip\2dxAutoClip\bin\Debug\net8.0\2dxAutoClip.dll
E:\csharpcazzo\2dxAutoClip\2dxAutoClip\bin\Debug\net8.0\2dxAutoClip.pdb
E:\csharpcazzo\2dxAutoClip\2dxAutoClip\obj\Debug\net8.0\2dxAutoClip.GeneratedMSBuildEditorConfig.editorconfig
E:\csharpcazzo\2dxAutoClip\2dxAutoClip\obj\Debug\net8.0\2dxAutoClip.AssemblyInfoInputs.cache
E:\csharpcazzo\2dxAutoClip\2dxAutoClip\obj\Debug\net8.0\2dxAutoClip.AssemblyInfo.cs
E:\csharpcazzo\2dxAutoClip\2dxAutoClip\obj\Debug\net8.0\2dxAutoClip.csproj.CoreCompileInputs.cache
E:\csharpcazzo\2dxAutoClip\2dxAutoClip\obj\Debug\net8.0\2dxAutoClip.dll
E:\csharpcazzo\2dxAutoClip\2dxAutoClip\obj\Debug\net8.0\refint\2dxAutoClip.dll
E:\csharpcazzo\2dxAutoClip\2dxAutoClip\obj\Debug\net8.0\2dxAutoClip.pdb
E:\csharpcazzo\2dxAutoClip\2dxAutoClip\obj\Debug\net8.0\2dxAutoClip.genruntimeconfig.cache
E:\csharpcazzo\2dxAutoClip\2dxAutoClip\obj\Debug\net8.0\ref\2dxAutoClip.dll
E:\csharpcazzo\2dxAutoClip\2dxAutoClip\bin\Debug\net8.0\websocket-sharp.dll
E:\csharpcazzo\2dxAutoClip\2dxAutoClip\obj\Debug\net8.0\2dxAutoClip.csproj.AssemblyReference.cache
E:\csharpcazzo\2dxAutoClip\2dxAutoClip\obj\Debug\net8.0\2dxAutoC.C938E204.Up2Date
E:\csharpcazzo\2dxAutoClip\2dxAutoClip\bin\Debug\net8.0\NAudio.dll
E:\csharpcazzo\2dxAutoClip\2dxAutoClip\bin\Debug\net8.0\NAudio.Asio.dll
E:\csharpcazzo\2dxAutoClip\2dxAutoClip\bin\Debug\net8.0\NAudio.Core.dll
E:\csharpcazzo\2dxAutoClip\2dxAutoClip\bin\Debug\net8.0\NAudio.Midi.dll
E:\csharpcazzo\2dxAutoClip\2dxAutoClip\bin\Debug\net8.0\NAudio.Wasapi.dll
E:\csharpcazzo\2dxAutoClip\2dxAutoClip\bin\Debug\net8.0\NAudio.WinMM.dll

Binary file not shown.

View file

@ -0,0 +1 @@
933adfe8fcac950842cb6e0074b7d293d2c3bc81a0f62d83339a699d54d8969c

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

View file

@ -0,0 +1,572 @@
{
"version": 3,
"targets": {
"net8.0": {
"Microsoft.NETCore.Platforms/3.1.0": {
"type": "package",
"compile": {
"lib/netstandard1.0/_._": {}
},
"runtime": {
"lib/netstandard1.0/_._": {}
}
},
"Microsoft.Win32.Registry/4.7.0": {
"type": "package",
"dependencies": {
"System.Security.AccessControl": "4.7.0",
"System.Security.Principal.Windows": "4.7.0"
},
"compile": {
"ref/netstandard2.0/Microsoft.Win32.Registry.dll": {
"related": ".xml"
}
},
"runtime": {
"lib/netstandard2.0/Microsoft.Win32.Registry.dll": {
"related": ".xml"
}
},
"runtimeTargets": {
"runtimes/unix/lib/netstandard2.0/Microsoft.Win32.Registry.dll": {
"assetType": "runtime",
"rid": "unix"
},
"runtimes/win/lib/netstandard2.0/Microsoft.Win32.Registry.dll": {
"assetType": "runtime",
"rid": "win"
}
}
},
"NAudio/2.2.1": {
"type": "package",
"dependencies": {
"NAudio.Asio": "2.2.1",
"NAudio.Core": "2.2.1",
"NAudio.Midi": "2.2.1",
"NAudio.Wasapi": "2.2.1",
"NAudio.WinMM": "2.2.1"
},
"compile": {
"lib/net6.0/NAudio.dll": {
"related": ".xml"
}
},
"runtime": {
"lib/net6.0/NAudio.dll": {
"related": ".xml"
}
}
},
"NAudio.Asio/2.2.1": {
"type": "package",
"dependencies": {
"Microsoft.Win32.Registry": "4.7.0",
"NAudio.Core": "2.2.1"
},
"compile": {
"lib/netstandard2.0/NAudio.Asio.dll": {
"related": ".xml"
}
},
"runtime": {
"lib/netstandard2.0/NAudio.Asio.dll": {
"related": ".xml"
}
}
},
"NAudio.Core/2.2.1": {
"type": "package",
"compile": {
"lib/netstandard2.0/NAudio.Core.dll": {
"related": ".xml"
}
},
"runtime": {
"lib/netstandard2.0/NAudio.Core.dll": {
"related": ".xml"
}
}
},
"NAudio.Midi/2.2.1": {
"type": "package",
"dependencies": {
"NAudio.Core": "2.2.1"
},
"compile": {
"lib/netstandard2.0/NAudio.Midi.dll": {
"related": ".xml"
}
},
"runtime": {
"lib/netstandard2.0/NAudio.Midi.dll": {
"related": ".xml"
}
}
},
"NAudio.Wasapi/2.2.1": {
"type": "package",
"dependencies": {
"NAudio.Core": "2.2.1"
},
"compile": {
"lib/netstandard2.0/NAudio.Wasapi.dll": {
"related": ".xml"
}
},
"runtime": {
"lib/netstandard2.0/NAudio.Wasapi.dll": {
"related": ".xml"
}
}
},
"NAudio.WinMM/2.2.1": {
"type": "package",
"dependencies": {
"Microsoft.Win32.Registry": "4.7.0",
"NAudio.Core": "2.2.1"
},
"compile": {
"lib/netstandard2.0/NAudio.WinMM.dll": {
"related": ".xml"
}
},
"runtime": {
"lib/netstandard2.0/NAudio.WinMM.dll": {
"related": ".xml"
}
}
},
"System.Security.AccessControl/4.7.0": {
"type": "package",
"dependencies": {
"Microsoft.NETCore.Platforms": "3.1.0",
"System.Security.Principal.Windows": "4.7.0"
},
"compile": {
"ref/netstandard2.0/System.Security.AccessControl.dll": {
"related": ".xml"
}
},
"runtime": {
"lib/netstandard2.0/System.Security.AccessControl.dll": {
"related": ".xml"
}
},
"runtimeTargets": {
"runtimes/win/lib/netcoreapp2.0/System.Security.AccessControl.dll": {
"assetType": "runtime",
"rid": "win"
}
}
},
"System.Security.Principal.Windows/4.7.0": {
"type": "package",
"compile": {
"ref/netcoreapp3.0/System.Security.Principal.Windows.dll": {
"related": ".xml"
}
},
"runtime": {
"lib/netstandard2.0/System.Security.Principal.Windows.dll": {
"related": ".xml"
}
},
"runtimeTargets": {
"runtimes/unix/lib/netcoreapp2.1/System.Security.Principal.Windows.dll": {
"assetType": "runtime",
"rid": "unix"
},
"runtimes/win/lib/netcoreapp2.1/System.Security.Principal.Windows.dll": {
"assetType": "runtime",
"rid": "win"
}
}
},
"WebSocketSharp/1.0.3-rc11": {
"type": "package",
"compile": {
"lib/websocket-sharp.dll": {}
},
"runtime": {
"lib/websocket-sharp.dll": {}
}
}
}
},
"libraries": {
"Microsoft.NETCore.Platforms/3.1.0": {
"sha512": "z7aeg8oHln2CuNulfhiLYxCVMPEwBl3rzicjvIX+4sUuCwvXw5oXQEtbiU2c0z4qYL5L3Kmx0mMA/+t/SbY67w==",
"type": "package",
"path": "microsoft.netcore.platforms/3.1.0",
"files": [
".nupkg.metadata",
".signature.p7s",
"LICENSE.TXT",
"THIRD-PARTY-NOTICES.TXT",
"lib/netstandard1.0/_._",
"microsoft.netcore.platforms.3.1.0.nupkg.sha512",
"microsoft.netcore.platforms.nuspec",
"runtime.json",
"useSharedDesignerContext.txt",
"version.txt"
]
},
"Microsoft.Win32.Registry/4.7.0": {
"sha512": "KSrRMb5vNi0CWSGG1++id2ZOs/1QhRqROt+qgbEAdQuGjGrFcl4AOl4/exGPUYz2wUnU42nvJqon1T3U0kPXLA==",
"type": "package",
"path": "microsoft.win32.registry/4.7.0",
"files": [
".nupkg.metadata",
".signature.p7s",
"LICENSE.TXT",
"THIRD-PARTY-NOTICES.TXT",
"lib/net46/Microsoft.Win32.Registry.dll",
"lib/net461/Microsoft.Win32.Registry.dll",
"lib/net461/Microsoft.Win32.Registry.xml",
"lib/netstandard1.3/Microsoft.Win32.Registry.dll",
"lib/netstandard2.0/Microsoft.Win32.Registry.dll",
"lib/netstandard2.0/Microsoft.Win32.Registry.xml",
"microsoft.win32.registry.4.7.0.nupkg.sha512",
"microsoft.win32.registry.nuspec",
"ref/net46/Microsoft.Win32.Registry.dll",
"ref/net461/Microsoft.Win32.Registry.dll",
"ref/net461/Microsoft.Win32.Registry.xml",
"ref/net472/Microsoft.Win32.Registry.dll",
"ref/net472/Microsoft.Win32.Registry.xml",
"ref/netstandard1.3/Microsoft.Win32.Registry.dll",
"ref/netstandard1.3/Microsoft.Win32.Registry.xml",
"ref/netstandard1.3/de/Microsoft.Win32.Registry.xml",
"ref/netstandard1.3/es/Microsoft.Win32.Registry.xml",
"ref/netstandard1.3/fr/Microsoft.Win32.Registry.xml",
"ref/netstandard1.3/it/Microsoft.Win32.Registry.xml",
"ref/netstandard1.3/ja/Microsoft.Win32.Registry.xml",
"ref/netstandard1.3/ko/Microsoft.Win32.Registry.xml",
"ref/netstandard1.3/ru/Microsoft.Win32.Registry.xml",
"ref/netstandard1.3/zh-hans/Microsoft.Win32.Registry.xml",
"ref/netstandard1.3/zh-hant/Microsoft.Win32.Registry.xml",
"ref/netstandard2.0/Microsoft.Win32.Registry.dll",
"ref/netstandard2.0/Microsoft.Win32.Registry.xml",
"runtimes/unix/lib/netstandard2.0/Microsoft.Win32.Registry.dll",
"runtimes/unix/lib/netstandard2.0/Microsoft.Win32.Registry.xml",
"runtimes/win/lib/net46/Microsoft.Win32.Registry.dll",
"runtimes/win/lib/net461/Microsoft.Win32.Registry.dll",
"runtimes/win/lib/net461/Microsoft.Win32.Registry.xml",
"runtimes/win/lib/netstandard1.3/Microsoft.Win32.Registry.dll",
"runtimes/win/lib/netstandard2.0/Microsoft.Win32.Registry.dll",
"runtimes/win/lib/netstandard2.0/Microsoft.Win32.Registry.xml",
"useSharedDesignerContext.txt",
"version.txt"
]
},
"NAudio/2.2.1": {
"sha512": "c0DzwiyyklM0TP39Y7RObwO3QkWecgM6H60ikiEnsV/aEAJPbj5MFCLaD8BSfKuZe0HGuh9GRGWWlJmSxDc9MA==",
"type": "package",
"path": "naudio/2.2.1",
"files": [
".nupkg.metadata",
".signature.p7s",
"lib/net472/NAudio.dll",
"lib/net472/NAudio.xml",
"lib/net6.0-windows7.0/NAudio.dll",
"lib/net6.0-windows7.0/NAudio.xml",
"lib/net6.0/NAudio.dll",
"lib/net6.0/NAudio.xml",
"lib/netcoreapp3.1/NAudio.dll",
"lib/netcoreapp3.1/NAudio.xml",
"license.txt",
"naudio-icon.png",
"naudio.2.2.1.nupkg.sha512",
"naudio.nuspec"
]
},
"NAudio.Asio/2.2.1": {
"sha512": "hQglyOT5iT3XuGpBP8ZG0+aoqwRfidHjTNehpoWwX0g6KJEgtH2VaqM2nuJ2mheKZa/IBqB4YQTZVvrIapzfOA==",
"type": "package",
"path": "naudio.asio/2.2.1",
"files": [
".nupkg.metadata",
".signature.p7s",
"lib/netstandard2.0/NAudio.Asio.dll",
"lib/netstandard2.0/NAudio.Asio.xml",
"naudio-icon.png",
"naudio.asio.2.2.1.nupkg.sha512",
"naudio.asio.nuspec"
]
},
"NAudio.Core/2.2.1": {
"sha512": "GgkdP6K/7FqXFo7uHvoqGZTJvW4z8g2IffhOO4JHaLzKCdDOUEzVKtveoZkCuUX8eV2HAINqi7VFqlFndrnz/g==",
"type": "package",
"path": "naudio.core/2.2.1",
"files": [
".nupkg.metadata",
".signature.p7s",
"lib/netstandard2.0/NAudio.Core.dll",
"lib/netstandard2.0/NAudio.Core.xml",
"naudio-icon.png",
"naudio.core.2.2.1.nupkg.sha512",
"naudio.core.nuspec"
]
},
"NAudio.Midi/2.2.1": {
"sha512": "6r23ylGo5aeP02WFXsPquz0T0hFJWyh+7t++tz19tc3Kr38NHm+Z9j+FiAv+xkH8tZqXJqus9Q8p6u7bidIgbw==",
"type": "package",
"path": "naudio.midi/2.2.1",
"files": [
".nupkg.metadata",
".signature.p7s",
"lib/netstandard2.0/NAudio.Midi.dll",
"lib/netstandard2.0/NAudio.Midi.xml",
"naudio-icon.png",
"naudio.midi.2.2.1.nupkg.sha512",
"naudio.midi.nuspec"
]
},
"NAudio.Wasapi/2.2.1": {
"sha512": "lFfXoqacZZe0WqNChJgGYI+XV/n/61LzPHT3C1CJp4khoxeo2sziyX5wzNYWeCMNbsWxFvT3b3iXeY1UYjBhZw==",
"type": "package",
"path": "naudio.wasapi/2.2.1",
"files": [
".nupkg.metadata",
".signature.p7s",
"lib/netstandard2.0/NAudio.Wasapi.dll",
"lib/netstandard2.0/NAudio.Wasapi.xml",
"lib/uap10.0.18362/NAudio.Wasapi.dll",
"lib/uap10.0.18362/NAudio.Wasapi.pri",
"lib/uap10.0.18362/NAudio.Wasapi.xml",
"naudio-icon.png",
"naudio.wasapi.2.2.1.nupkg.sha512",
"naudio.wasapi.nuspec"
]
},
"NAudio.WinMM/2.2.1": {
"sha512": "xFHRFwH4x6aq3IxRbewvO33ugJRvZFEOfO62i7uQJRUNW2cnu6BeBTHUS0JD5KBucZbHZaYqxQG8dwZ47ezQuQ==",
"type": "package",
"path": "naudio.winmm/2.2.1",
"files": [
".nupkg.metadata",
".signature.p7s",
"lib/netstandard2.0/NAudio.WinMM.dll",
"lib/netstandard2.0/NAudio.WinMM.xml",
"naudio-icon.png",
"naudio.winmm.2.2.1.nupkg.sha512",
"naudio.winmm.nuspec"
]
},
"System.Security.AccessControl/4.7.0": {
"sha512": "JECvTt5aFF3WT3gHpfofL2MNNP6v84sxtXxpqhLBCcDRzqsPBmHhQ6shv4DwwN2tRlzsUxtb3G9M3763rbXKDg==",
"type": "package",
"path": "system.security.accesscontrol/4.7.0",
"files": [
".nupkg.metadata",
".signature.p7s",
"LICENSE.TXT",
"THIRD-PARTY-NOTICES.TXT",
"lib/net46/System.Security.AccessControl.dll",
"lib/net461/System.Security.AccessControl.dll",
"lib/net461/System.Security.AccessControl.xml",
"lib/netstandard1.3/System.Security.AccessControl.dll",
"lib/netstandard2.0/System.Security.AccessControl.dll",
"lib/netstandard2.0/System.Security.AccessControl.xml",
"lib/uap10.0.16299/_._",
"ref/net46/System.Security.AccessControl.dll",
"ref/net461/System.Security.AccessControl.dll",
"ref/net461/System.Security.AccessControl.xml",
"ref/netstandard1.3/System.Security.AccessControl.dll",
"ref/netstandard1.3/System.Security.AccessControl.xml",
"ref/netstandard1.3/de/System.Security.AccessControl.xml",
"ref/netstandard1.3/es/System.Security.AccessControl.xml",
"ref/netstandard1.3/fr/System.Security.AccessControl.xml",
"ref/netstandard1.3/it/System.Security.AccessControl.xml",
"ref/netstandard1.3/ja/System.Security.AccessControl.xml",
"ref/netstandard1.3/ko/System.Security.AccessControl.xml",
"ref/netstandard1.3/ru/System.Security.AccessControl.xml",
"ref/netstandard1.3/zh-hans/System.Security.AccessControl.xml",
"ref/netstandard1.3/zh-hant/System.Security.AccessControl.xml",
"ref/netstandard2.0/System.Security.AccessControl.dll",
"ref/netstandard2.0/System.Security.AccessControl.xml",
"ref/uap10.0.16299/_._",
"runtimes/win/lib/net46/System.Security.AccessControl.dll",
"runtimes/win/lib/net461/System.Security.AccessControl.dll",
"runtimes/win/lib/net461/System.Security.AccessControl.xml",
"runtimes/win/lib/netcoreapp2.0/System.Security.AccessControl.dll",
"runtimes/win/lib/netcoreapp2.0/System.Security.AccessControl.xml",
"runtimes/win/lib/netstandard1.3/System.Security.AccessControl.dll",
"runtimes/win/lib/uap10.0.16299/_._",
"system.security.accesscontrol.4.7.0.nupkg.sha512",
"system.security.accesscontrol.nuspec",
"useSharedDesignerContext.txt",
"version.txt"
]
},
"System.Security.Principal.Windows/4.7.0": {
"sha512": "ojD0PX0XhneCsUbAZVKdb7h/70vyYMDYs85lwEI+LngEONe/17A0cFaRFqZU+sOEidcVswYWikYOQ9PPfjlbtQ==",
"type": "package",
"path": "system.security.principal.windows/4.7.0",
"files": [
".nupkg.metadata",
".signature.p7s",
"LICENSE.TXT",
"THIRD-PARTY-NOTICES.TXT",
"lib/net46/System.Security.Principal.Windows.dll",
"lib/net461/System.Security.Principal.Windows.dll",
"lib/net461/System.Security.Principal.Windows.xml",
"lib/netstandard1.3/System.Security.Principal.Windows.dll",
"lib/netstandard2.0/System.Security.Principal.Windows.dll",
"lib/netstandard2.0/System.Security.Principal.Windows.xml",
"lib/uap10.0.16299/_._",
"ref/net46/System.Security.Principal.Windows.dll",
"ref/net461/System.Security.Principal.Windows.dll",
"ref/net461/System.Security.Principal.Windows.xml",
"ref/netcoreapp3.0/System.Security.Principal.Windows.dll",
"ref/netcoreapp3.0/System.Security.Principal.Windows.xml",
"ref/netstandard1.3/System.Security.Principal.Windows.dll",
"ref/netstandard1.3/System.Security.Principal.Windows.xml",
"ref/netstandard1.3/de/System.Security.Principal.Windows.xml",
"ref/netstandard1.3/es/System.Security.Principal.Windows.xml",
"ref/netstandard1.3/fr/System.Security.Principal.Windows.xml",
"ref/netstandard1.3/it/System.Security.Principal.Windows.xml",
"ref/netstandard1.3/ja/System.Security.Principal.Windows.xml",
"ref/netstandard1.3/ko/System.Security.Principal.Windows.xml",
"ref/netstandard1.3/ru/System.Security.Principal.Windows.xml",
"ref/netstandard1.3/zh-hans/System.Security.Principal.Windows.xml",
"ref/netstandard1.3/zh-hant/System.Security.Principal.Windows.xml",
"ref/netstandard2.0/System.Security.Principal.Windows.dll",
"ref/netstandard2.0/System.Security.Principal.Windows.xml",
"ref/uap10.0.16299/_._",
"runtimes/unix/lib/netcoreapp2.0/System.Security.Principal.Windows.dll",
"runtimes/unix/lib/netcoreapp2.0/System.Security.Principal.Windows.xml",
"runtimes/unix/lib/netcoreapp2.1/System.Security.Principal.Windows.dll",
"runtimes/unix/lib/netcoreapp2.1/System.Security.Principal.Windows.xml",
"runtimes/win/lib/net46/System.Security.Principal.Windows.dll",
"runtimes/win/lib/net461/System.Security.Principal.Windows.dll",
"runtimes/win/lib/net461/System.Security.Principal.Windows.xml",
"runtimes/win/lib/netcoreapp2.0/System.Security.Principal.Windows.dll",
"runtimes/win/lib/netcoreapp2.0/System.Security.Principal.Windows.xml",
"runtimes/win/lib/netcoreapp2.1/System.Security.Principal.Windows.dll",
"runtimes/win/lib/netcoreapp2.1/System.Security.Principal.Windows.xml",
"runtimes/win/lib/netstandard1.3/System.Security.Principal.Windows.dll",
"runtimes/win/lib/uap10.0.16299/_._",
"system.security.principal.windows.4.7.0.nupkg.sha512",
"system.security.principal.windows.nuspec",
"useSharedDesignerContext.txt",
"version.txt"
]
},
"WebSocketSharp/1.0.3-rc11": {
"sha512": "7VCF7f7zVMOvLGD8LeGS4DVXc8lOcB6kXnUMeTxigu+PMiU+6wW5Olq2gYrDU8vDRKOwFY+5RyBaLyzb8skEzA==",
"type": "package",
"path": "websocketsharp/1.0.3-rc11",
"files": [
".nupkg.metadata",
".signature.p7s",
"lib/websocket-sharp.dll",
"lib/websocket-sharp.xml",
"websocketsharp.1.0.3-rc11.nupkg.sha512",
"websocketsharp.nuspec"
]
}
},
"projectFileDependencyGroups": {
"net8.0": [
"NAudio >= 2.2.1",
"NAudio.Wasapi >= 2.2.1",
"NAudio.WinMM >= 2.2.1",
"WebSocketSharp >= 1.0.3-rc11"
]
},
"packageFolders": {
"C:\\Users\\Mercury\\.nuget\\packages\\": {},
"C:\\Program Files (x86)\\Microsoft Visual Studio\\Shared\\NuGetPackages": {}
},
"project": {
"version": "1.0.0",
"restore": {
"projectUniqueName": "E:\\csharpcazzo\\2dxAutoClip\\2dxAutoClip\\2dxAutoClip.csproj",
"projectName": "2dxAutoClip",
"projectPath": "E:\\csharpcazzo\\2dxAutoClip\\2dxAutoClip\\2dxAutoClip.csproj",
"packagesPath": "C:\\Users\\Mercury\\.nuget\\packages\\",
"outputPath": "E:\\csharpcazzo\\2dxAutoClip\\2dxAutoClip\\obj\\",
"projectStyle": "PackageReference",
"fallbackFolders": [
"C:\\Program Files (x86)\\Microsoft Visual Studio\\Shared\\NuGetPackages"
],
"configFilePaths": [
"C:\\Users\\Mercury\\AppData\\Roaming\\NuGet\\NuGet.Config",
"C:\\Program Files (x86)\\NuGet\\Config\\Microsoft.VisualStudio.FallbackLocation.config",
"C:\\Program Files (x86)\\NuGet\\Config\\Microsoft.VisualStudio.Offline.config"
],
"originalTargetFrameworks": [
"net8.0"
],
"sources": {
"C:\\Program Files (x86)\\Microsoft SDKs\\NuGetPackages\\": {},
"C:\\Program Files\\dotnet\\library-packs": {},
"https://api.nuget.org/v3/index.json": {}
},
"frameworks": {
"net8.0": {
"targetAlias": "net8.0",
"projectReferences": {}
}
},
"warningProperties": {
"warnAsError": [
"NU1605"
]
}
},
"frameworks": {
"net8.0": {
"targetAlias": "net8.0",
"dependencies": {
"NAudio": {
"target": "Package",
"version": "[2.2.1, )"
},
"NAudio.Wasapi": {
"target": "Package",
"version": "[2.2.1, )"
},
"NAudio.WinMM": {
"target": "Package",
"version": "[2.2.1, )"
},
"WebSocketSharp": {
"target": "Package",
"version": "[1.0.3-rc11, )"
}
},
"imports": [
"net461",
"net462",
"net47",
"net471",
"net472",
"net48",
"net481"
],
"assetTargetFallback": true,
"warn": true,
"frameworkReferences": {
"Microsoft.NETCore.App": {
"privateAssets": "all"
}
},
"runtimeIdentifierGraphPath": "C:\\Program Files\\dotnet\\sdk\\8.0.300/PortableRuntimeIdentifierGraph.json"
}
}
},
"logs": [
{
"code": "NU1701",
"level": "Warning",
"warningLevel": 1,
"message": "Package 'WebSocketSharp 1.0.3-rc11' was restored using '.NETFramework,Version=v4.6.1, .NETFramework,Version=v4.6.2, .NETFramework,Version=v4.7, .NETFramework,Version=v4.7.1, .NETFramework,Version=v4.7.2, .NETFramework,Version=v4.8, .NETFramework,Version=v4.8.1' instead of the project target framework 'net8.0'. This package may not be fully compatible with your project.",
"libraryId": "WebSocketSharp",
"targetGraphs": [
"net8.0"
]
}
]
}

View file

@ -0,0 +1,31 @@
{
"version": 2,
"dgSpecHash": "UadaV9K6lUXiqIl2z8bjhbAR5j54RKlO6cUS03Ve0bAmjWv2eBUy7+V9Ozrfloe+w1UWeZZZwMHRYEfHq2vunA==",
"success": true,
"projectFilePath": "E:\\csharpcazzo\\2dxAutoClip\\2dxAutoClip\\2dxAutoClip.csproj",
"expectedPackageFiles": [
"C:\\Users\\Mercury\\.nuget\\packages\\microsoft.netcore.platforms\\3.1.0\\microsoft.netcore.platforms.3.1.0.nupkg.sha512",
"C:\\Users\\Mercury\\.nuget\\packages\\microsoft.win32.registry\\4.7.0\\microsoft.win32.registry.4.7.0.nupkg.sha512",
"C:\\Users\\Mercury\\.nuget\\packages\\naudio\\2.2.1\\naudio.2.2.1.nupkg.sha512",
"C:\\Users\\Mercury\\.nuget\\packages\\naudio.asio\\2.2.1\\naudio.asio.2.2.1.nupkg.sha512",
"C:\\Users\\Mercury\\.nuget\\packages\\naudio.core\\2.2.1\\naudio.core.2.2.1.nupkg.sha512",
"C:\\Users\\Mercury\\.nuget\\packages\\naudio.midi\\2.2.1\\naudio.midi.2.2.1.nupkg.sha512",
"C:\\Users\\Mercury\\.nuget\\packages\\naudio.wasapi\\2.2.1\\naudio.wasapi.2.2.1.nupkg.sha512",
"C:\\Users\\Mercury\\.nuget\\packages\\naudio.winmm\\2.2.1\\naudio.winmm.2.2.1.nupkg.sha512",
"C:\\Users\\Mercury\\.nuget\\packages\\system.security.accesscontrol\\4.7.0\\system.security.accesscontrol.4.7.0.nupkg.sha512",
"C:\\Users\\Mercury\\.nuget\\packages\\system.security.principal.windows\\4.7.0\\system.security.principal.windows.4.7.0.nupkg.sha512",
"C:\\Users\\Mercury\\.nuget\\packages\\websocketsharp\\1.0.3-rc11\\websocketsharp.1.0.3-rc11.nupkg.sha512"
],
"logs": [
{
"code": "NU1701",
"level": "Warning",
"warningLevel": 1,
"message": "Package 'WebSocketSharp 1.0.3-rc11' was restored using '.NETFramework,Version=v4.6.1, .NETFramework,Version=v4.6.2, .NETFramework,Version=v4.7, .NETFramework,Version=v4.7.1, .NETFramework,Version=v4.7.2, .NETFramework,Version=v4.8, .NETFramework,Version=v4.8.1' instead of the project target framework 'net8.0'. This package may not be fully compatible with your project.",
"libraryId": "WebSocketSharp",
"targetGraphs": [
"net8.0"
]
}
]
}

View file

@ -0,0 +1 @@
"restore":{"projectUniqueName":"E:\\csharpcazzo\\2dxAutoClip\\2dxAutoClip\\2dxAutoClip.csproj","projectName":"2dxAutoClip","projectPath":"E:\\csharpcazzo\\2dxAutoClip\\2dxAutoClip\\2dxAutoClip.csproj","outputPath":"E:\\csharpcazzo\\2dxAutoClip\\2dxAutoClip\\obj\\","projectStyle":"PackageReference","fallbackFolders":["C:\\Program Files (x86)\\Microsoft Visual Studio\\Shared\\NuGetPackages"],"originalTargetFrameworks":["net8.0"],"sources":{"C:\\Program Files (x86)\\Microsoft SDKs\\NuGetPackages\\":{},"C:\\Program Files\\dotnet\\library-packs":{},"https://api.nuget.org/v3/index.json":{}},"frameworks":{"net8.0":{"targetAlias":"net8.0","projectReferences":{}}},"warningProperties":{"warnAsError":["NU1605"]}}"frameworks":{"net8.0":{"targetAlias":"net8.0","dependencies":{"NAudio":{"target":"Package","version":"[2.2.1, )"},"NAudio.Wasapi":{"target":"Package","version":"[2.2.1, )"},"NAudio.WinMM":{"target":"Package","version":"[2.2.1, )"},"WebSocketSharp":{"target":"Package","version":"[1.0.3-rc11, )"}},"imports":["net461","net462","net47","net471","net472","net48","net481"],"assetTargetFallback":true,"warn":true,"frameworkReferences":{"Microsoft.NETCore.App":{"privateAssets":"all"}},"runtimeIdentifierGraphPath":"C:\\Program Files\\dotnet\\sdk\\8.0.300/PortableRuntimeIdentifierGraph.json"}}

View file

@ -0,0 +1 @@
17254872235870008

View file

@ -0,0 +1 @@
17255280968129270