├── .github └── workflows │ └── readme.yml ├── CopilotChatPro ├── CopilotChatPro.sln └── CopilotChatPro │ ├── App.xaml │ ├── App.xaml.cs │ ├── AppShell.xaml │ ├── AppShell.xaml.cs │ ├── CopilotChatPro.csproj │ ├── CopilotChatPro.csproj.user │ ├── MainPage.xaml │ ├── MainPage.xaml.cs │ ├── MauiProgram.cs │ ├── Platforms │ ├── Android │ │ ├── AndroidManifest.xml │ │ ├── MainActivity.cs │ │ ├── MainApplication.cs │ │ └── Resources │ │ │ └── values │ │ │ └── colors.xml │ ├── MacCatalyst │ │ ├── AppDelegate.cs │ │ ├── Info.plist │ │ └── Program.cs │ ├── Tizen │ │ ├── Main.cs │ │ └── tizen-manifest.xml │ ├── Windows │ │ ├── App.xaml │ │ ├── App.xaml.cs │ │ ├── Package.appxmanifest │ │ └── app.manifest │ └── iOS │ │ ├── AppDelegate.cs │ │ ├── Info.plist │ │ └── Program.cs │ ├── Properties │ └── launchSettings.json │ └── Resources │ ├── AppIcon │ ├── appicon.svg │ └── appiconfg.svg │ ├── Fonts │ ├── OpenSans-Regular.ttf │ └── OpenSans-Semibold.ttf │ ├── Images │ └── dotnet_bot.svg │ ├── Raw │ └── AboutAssets.txt │ ├── Splash │ └── splash.svg │ └── Styles │ ├── Colors.xaml │ └── Styles.xaml ├── LICENSE ├── README.ar.md ├── README.de.md ├── README.es.md ├── README.fr.md ├── README.hi.md ├── README.ja.md ├── README.md ├── README.zh-CN.md ├── README.zh-TW.md ├── logo128x128.png ├── logo16x16.png ├── logo48x48.png ├── manifest.json ├── popup.html ├── popup.js └── unlimited.js /.github/workflows/readme.yml: -------------------------------------------------------------------------------- 1 | name: Translate README 2 | 3 | on: 4 | push: 5 | branches: 6 | - main 7 | - master 8 | jobs: 9 | build: 10 | runs-on: ubuntu-latest 11 | steps: 12 | - uses: actions/checkout@v2 13 | - name: Setup Node.js 14 | uses: actions/setup-node@v1 15 | with: 16 | node-version: 12.x 17 | # ISO Langusge Codes: https://cloud.google.com/translate/docs/languages 18 | - name: Adding README - Chinese Simplified 19 | uses: dephraiim/translate-readme@main 20 | with: 21 | LANG: zh-CN 22 | - name: Adding README - Chinese Traditional 23 | uses: dephraiim/translate-readme@main 24 | with: 25 | LANG: zh-TW 26 | - name: Adding README - Hindi 27 | uses: dephraiim/translate-readme@main 28 | with: 29 | LANG: hi 30 | - name: Adding README - Arabic 31 | uses: dephraiim/translate-readme@main 32 | with: 33 | LANG: ar 34 | - name: Adding README - French 35 | uses: dephraiim/translate-readme@main 36 | with: 37 | LANG: fr 38 | - name: Adding README - German 39 | uses: dephraiim/translate-readme@main 40 | with: 41 | LANG: de 42 | - name: Adding README - Japanese 43 | uses: dephraiim/translate-readme@main 44 | with: 45 | LANG: ja 46 | - name: Adding README - Spanish 47 | uses: dephraiim/translate-readme@main 48 | with: 49 | LANG: es 50 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro.sln: -------------------------------------------------------------------------------- 1 |  2 | Microsoft Visual Studio Solution File, Format Version 12.00 3 | # Visual Studio Version 17 4 | VisualStudioVersion = 17.8.34408.163 5 | MinimumVisualStudioVersion = 10.0.40219.1 6 | Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "CopilotChatPro", "CopilotChatPro\CopilotChatPro.csproj", "{B232B843-E440-464D-8E88-3981B8565539}" 7 | EndProject 8 | Global 9 | GlobalSection(SolutionConfigurationPlatforms) = preSolution 10 | Debug|Any CPU = Debug|Any CPU 11 | Release|Any CPU = Release|Any CPU 12 | EndGlobalSection 13 | GlobalSection(ProjectConfigurationPlatforms) = postSolution 14 | {B232B843-E440-464D-8E88-3981B8565539}.Debug|Any CPU.ActiveCfg = Debug|Any CPU 15 | {B232B843-E440-464D-8E88-3981B8565539}.Debug|Any CPU.Build.0 = Debug|Any CPU 16 | {B232B843-E440-464D-8E88-3981B8565539}.Debug|Any CPU.Deploy.0 = Debug|Any CPU 17 | {B232B843-E440-464D-8E88-3981B8565539}.Release|Any CPU.ActiveCfg = Release|Any CPU 18 | {B232B843-E440-464D-8E88-3981B8565539}.Release|Any CPU.Build.0 = Release|Any CPU 19 | {B232B843-E440-464D-8E88-3981B8565539}.Release|Any CPU.Deploy.0 = Release|Any CPU 20 | EndGlobalSection 21 | GlobalSection(SolutionProperties) = preSolution 22 | HideSolutionNode = FALSE 23 | EndGlobalSection 24 | GlobalSection(ExtensibilityGlobals) = postSolution 25 | SolutionGuid = {BBA1F008-5244-490B-B7D8-2468AAEB7FCB} 26 | EndGlobalSection 27 | EndGlobal 28 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/App.xaml: -------------------------------------------------------------------------------- 1 |  2 | 6 | 7 | 8 | 9 | 10 | 11 | 12 | 13 | 14 | 15 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/App.xaml.cs: -------------------------------------------------------------------------------- 1 | namespace CopilotChatPro 2 | { 3 | public partial class App : Application 4 | { 5 | public App() 6 | { 7 | InitializeComponent(); 8 | 9 | MainPage = new AppShell(); 10 | } 11 | } 12 | } 13 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/AppShell.xaml: -------------------------------------------------------------------------------- 1 | 2 | 8 | 9 | 12 | 13 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/AppShell.xaml.cs: -------------------------------------------------------------------------------- 1 | namespace CopilotChatPro 2 | { 3 | public partial class AppShell : Shell 4 | { 5 | public AppShell() 6 | { 7 | InitializeComponent(); 8 | } 9 | } 10 | } 11 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/CopilotChatPro.csproj: -------------------------------------------------------------------------------- 1 |  2 | 3 | 4 | net7.0-ios;net7.0-maccatalyst;net7.0-android33.0 5 | $(TargetFrameworks);net7.0-windows10.0.19041.0 6 | 7 | 8 | Exe 9 | CopilotChatPro 10 | true 11 | true 12 | enable 13 | 14 | 15 | CopilotChatPro 16 | 17 | 18 | com.companyname.copilotchatpro 19 | 8fd86999-ac6a-4ae6-805a-7613c39986a9 20 | 21 | 22 | 1.0 23 | 1 24 | 25 | 11.0 26 | 13.1 27 | 21.0 28 | 10.0.17763.0 29 | 10.0.17763.0 30 | 6.5 31 | 32 | 33 | 34 | apk 35 | 36 | 37 | 38 | 39 | 40 | 41 | 42 | 43 | 44 | 45 | 46 | 47 | 48 | 49 | 50 | 51 | 52 | 53 | 54 | 55 | 56 | 57 | 58 | 59 | 60 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/CopilotChatPro.csproj.user: -------------------------------------------------------------------------------- 1 |  2 | 3 | 4 | False 5 | net7.0-android33.0 6 | Pixel 5 - API 33 (Android 13.0 - API 33) 7 | Emulator 8 | pixel_5_-_api_33 9 | 10 | 11 | ios-arm64 12 | arm64 13 | 14 | 15 | 16 | Designer 17 | 18 | 19 | Designer 20 | 21 | 22 | Designer 23 | 24 | 25 | Designer 26 | 27 | 28 | Designer 29 | 30 | 31 | Designer 32 | 33 | 34 | 35 | 36 | Designer 37 | 38 | 39 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/MainPage.xaml: -------------------------------------------------------------------------------- 1 |  2 | 5 | 6 | 12 | 13 | 14 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/MainPage.xaml.cs: -------------------------------------------------------------------------------- 1 | namespace Copilot_Chat_Pro 2 | { 3 | public partial class MainPage 4 | { 5 | public MainPage() 6 | { 7 | InitializeComponent(); 8 | } 9 | private async void OnWebViewNavigated(object sender, WebNavigatedEventArgs e) 10 | { 11 | if (e.Result == WebNavigationResult.Success) 12 | { 13 | await MyWebView.EvaluateJavaScriptAsync("try{let t=document.querySelector(\"#b_sydConvCont > cib-serp\");if(!t)throw Error(\"Elemento cib-serp no encontrado.\");let e=t.shadowRoot,o=e.querySelector(\"#cib-action-bar-main\");if(!o)throw Error(\"Elemento cib-action-bar-main no encontrado.\");let r=o.shadowRoot,n=r.querySelector(\"div > div.main-container > div > div.input-row > cib-text-input\");if(!n)throw Error(\"Elemento cib-text-input no encontrado.\");let i=n.shadowRoot,a=i.querySelector(\"#searchbox\");if(a)a.removeAttribute(\"maxlength\"),a.setAttribute(\"aria-description\",\"\u221e\");else throw Error(\"Textarea con atributo 'maxlength' no encontrado.\");let c=r.querySelector(\"div > div.main-container > div > div.bottom-controls > div.bottom-right-controls > div.letter-counter\");c?c.textContent=\"\u221e\":console.warn(\"Elemento .letter-counter no encontrado.\")}catch(l){console.error(\"Error:\",l.message)}"); 14 | } 15 | } 16 | } 17 | } -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/MauiProgram.cs: -------------------------------------------------------------------------------- 1 | namespace CopilotChatPro 2 | { 3 | public class MauiProgram 4 | { 5 | public static MauiApp CreateMauiApp() 6 | { 7 | var builder = MauiApp.CreateBuilder(); 8 | builder.ConfigureMauiHandlers((_) => { }); 9 | builder.UseMauiApp(); 10 | 11 | return builder.Build(); 12 | } 13 | } 14 | } -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Platforms/Android/AndroidManifest.xml: -------------------------------------------------------------------------------- 1 |  2 | 3 | 4 | 5 | 6 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Platforms/Android/MainActivity.cs: -------------------------------------------------------------------------------- 1 | using Android.App; 2 | using Android.Content.PM; 3 | using Android.OS; 4 | 5 | namespace CopilotChatPro 6 | { 7 | [Activity(Theme = "@style/Maui.SplashTheme", MainLauncher = true, ConfigurationChanges = ConfigChanges.ScreenSize | ConfigChanges.Orientation | ConfigChanges.UiMode | ConfigChanges.ScreenLayout | ConfigChanges.SmallestScreenSize | ConfigChanges.Density)] 8 | public class MainActivity : MauiAppCompatActivity 9 | { 10 | } 11 | } 12 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Platforms/Android/MainApplication.cs: -------------------------------------------------------------------------------- 1 | using Android.App; 2 | using Android.Runtime; 3 | 4 | namespace CopilotChatPro 5 | { 6 | [Application] 7 | public class MainApplication : MauiApplication 8 | { 9 | public MainApplication(IntPtr handle, JniHandleOwnership ownership) 10 | : base(handle, ownership) 11 | { 12 | } 13 | 14 | protected override MauiApp CreateMauiApp() => MauiProgram.CreateMauiApp(); 15 | } 16 | } 17 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Platforms/Android/Resources/values/colors.xml: -------------------------------------------------------------------------------- 1 | 2 | 3 | #512BD4 4 | #2B0B98 5 | #2B0B98 6 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Platforms/MacCatalyst/AppDelegate.cs: -------------------------------------------------------------------------------- 1 | using Foundation; 2 | 3 | namespace CopilotChatPro 4 | { 5 | [Register("AppDelegate")] 6 | public class AppDelegate : MauiUIApplicationDelegate 7 | { 8 | protected override MauiApp CreateMauiApp() => MauiProgram.CreateMauiApp(); 9 | } 10 | } 11 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Platforms/MacCatalyst/Info.plist: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | UIDeviceFamily 6 | 7 | 1 8 | 2 9 | 10 | UIRequiredDeviceCapabilities 11 | 12 | arm64 13 | 14 | UISupportedInterfaceOrientations 15 | 16 | UIInterfaceOrientationPortrait 17 | UIInterfaceOrientationLandscapeLeft 18 | UIInterfaceOrientationLandscapeRight 19 | 20 | UISupportedInterfaceOrientations~ipad 21 | 22 | UIInterfaceOrientationPortrait 23 | UIInterfaceOrientationPortraitUpsideDown 24 | UIInterfaceOrientationLandscapeLeft 25 | UIInterfaceOrientationLandscapeRight 26 | 27 | XSAppIconAssets 28 | Assets.xcassets/appicon.appiconset 29 | 30 | 31 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Platforms/MacCatalyst/Program.cs: -------------------------------------------------------------------------------- 1 | using ObjCRuntime; 2 | using UIKit; 3 | 4 | namespace CopilotChatPro 5 | { 6 | public class Program 7 | { 8 | // This is the main entry point of the application. 9 | static void Main(string[] args) 10 | { 11 | // if you want to use a different Application Delegate class from "AppDelegate" 12 | // you can specify it here. 13 | UIApplication.Main(args, null, typeof(AppDelegate)); 14 | } 15 | } 16 | } 17 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Platforms/Tizen/Main.cs: -------------------------------------------------------------------------------- 1 | using Microsoft.Maui; 2 | using Microsoft.Maui.Hosting; 3 | using System; 4 | 5 | namespace CopilotChatPro 6 | { 7 | internal class Program : MauiApplication 8 | { 9 | protected override MauiApp CreateMauiApp() => MauiProgram.CreateMauiApp(); 10 | 11 | static void Main(string[] args) 12 | { 13 | var app = new Program(); 14 | app.Run(args); 15 | } 16 | } 17 | } 18 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Platforms/Tizen/tizen-manifest.xml: -------------------------------------------------------------------------------- 1 |  2 | 3 | 4 | 5 | 6 | maui-appicon-placeholder 7 | 8 | 9 | 10 | 11 | http://tizen.org/privilege/internet 12 | 13 | 14 | 15 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Platforms/Windows/App.xaml: -------------------------------------------------------------------------------- 1 |  7 | 8 | 9 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Platforms/Windows/App.xaml.cs: -------------------------------------------------------------------------------- 1 | using Microsoft.UI.Xaml; 2 | 3 | // To learn more about WinUI, the WinUI project structure, 4 | // and more about our project templates, see: http://aka.ms/winui-project-info. 5 | 6 | namespace CopilotChatPro.WinUI 7 | { 8 | /// 9 | /// Provides application-specific behavior to supplement the default Application class. 10 | /// 11 | public partial class App : MauiWinUIApplication 12 | { 13 | /// 14 | /// Initializes the singleton application object. This is the first line of authored code 15 | /// executed, and as such is the logical equivalent of main() or WinMain(). 16 | /// 17 | public App() 18 | { 19 | this.InitializeComponent(); 20 | } 21 | 22 | protected override MauiApp CreateMauiApp() => MauiProgram.CreateMauiApp(); 23 | } 24 | 25 | } 26 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Platforms/Windows/Package.appxmanifest: -------------------------------------------------------------------------------- 1 |  2 | 8 | 9 | 10 | 11 | 12 | 13 | 14 | $placeholder$ 15 | User Name 16 | $placeholder$.png 17 | 18 | 19 | 20 | 21 | 22 | 23 | 24 | 25 | 26 | 27 | 28 | 29 | 30 | 36 | 37 | 38 | 39 | 40 | 41 | 42 | 43 | 44 | 45 | 46 | 47 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Platforms/Windows/app.manifest: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | 6 | 7 | 11 | true/PM 12 | PerMonitorV2, PerMonitor 13 | 14 | 15 | 16 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Platforms/iOS/AppDelegate.cs: -------------------------------------------------------------------------------- 1 | using Foundation; 2 | 3 | namespace CopilotChatPro 4 | { 5 | [Register("AppDelegate")] 6 | public class AppDelegate : MauiUIApplicationDelegate 7 | { 8 | protected override MauiApp CreateMauiApp() => MauiProgram.CreateMauiApp(); 9 | } 10 | } 11 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Platforms/iOS/Info.plist: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | LSRequiresIPhoneOS 6 | 7 | UIDeviceFamily 8 | 9 | 1 10 | 2 11 | 12 | UIRequiredDeviceCapabilities 13 | 14 | arm64 15 | 16 | UISupportedInterfaceOrientations 17 | 18 | UIInterfaceOrientationPortrait 19 | UIInterfaceOrientationLandscapeLeft 20 | UIInterfaceOrientationLandscapeRight 21 | 22 | UISupportedInterfaceOrientations~ipad 23 | 24 | UIInterfaceOrientationPortrait 25 | UIInterfaceOrientationPortraitUpsideDown 26 | UIInterfaceOrientationLandscapeLeft 27 | UIInterfaceOrientationLandscapeRight 28 | 29 | XSAppIconAssets 30 | Assets.xcassets/appicon.appiconset 31 | 32 | 33 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Platforms/iOS/Program.cs: -------------------------------------------------------------------------------- 1 | using ObjCRuntime; 2 | using UIKit; 3 | 4 | namespace CopilotChatPro 5 | { 6 | public class Program 7 | { 8 | // This is the main entry point of the application. 9 | static void Main(string[] args) 10 | { 11 | // if you want to use a different Application Delegate class from "AppDelegate" 12 | // you can specify it here. 13 | UIApplication.Main(args, null, typeof(AppDelegate)); 14 | } 15 | } 16 | } 17 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Properties/launchSettings.json: -------------------------------------------------------------------------------- 1 | { 2 | "profiles": { 3 | "Windows Machine": { 4 | "commandName": "MsixPackage", 5 | "nativeDebugging": false 6 | } 7 | } 8 | } -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Resources/Fonts/OpenSans-Regular.ttf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/fl2on/Copilot-Chat-Pro/54f773ae6dd8c75bf99e78754706986b1b4b8e3e/CopilotChatPro/CopilotChatPro/Resources/Fonts/OpenSans-Regular.ttf -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Resources/Fonts/OpenSans-Semibold.ttf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/fl2on/Copilot-Chat-Pro/54f773ae6dd8c75bf99e78754706986b1b4b8e3e/CopilotChatPro/CopilotChatPro/Resources/Fonts/OpenSans-Semibold.ttf -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Resources/Images/dotnet_bot.svg: -------------------------------------------------------------------------------- 1 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Resources/Raw/AboutAssets.txt: -------------------------------------------------------------------------------- 1 | Any raw assets you want to be deployed with your application can be placed in 2 | this directory (and child directories). Deployment of the asset to your application 3 | is automatically handled by the following `MauiAsset` Build Action within your `.csproj`. 4 | 5 | 6 | 7 | These files will be deployed with you package and will be accessible using Essentials: 8 | 9 | async Task LoadMauiAsset() 10 | { 11 | using var stream = await FileSystem.OpenAppPackageFileAsync("AboutAssets.txt"); 12 | using var reader = new StreamReader(stream); 13 | 14 | var contents = reader.ReadToEnd(); 15 | } 16 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Resources/Splash/splash.svg: -------------------------------------------------------------------------------- 1 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Resources/Styles/Colors.xaml: -------------------------------------------------------------------------------- 1 |  2 | 3 | 6 | 7 | #512BD4 8 | #DFD8F7 9 | #2B0B98 10 | White 11 | Black 12 | #E1E1E1 13 | #C8C8C8 14 | #ACACAC 15 | #919191 16 | #6E6E6E 17 | #404040 18 | #212121 19 | #141414 20 | 21 | 22 | 23 | 24 | 25 | 26 | 27 | 28 | 29 | 30 | 31 | 32 | 33 | 34 | #F7B548 35 | #FFD590 36 | #FFE5B9 37 | #28C2D1 38 | #7BDDEF 39 | #C3F2F4 40 | #3E8EED 41 | #72ACF1 42 | #A7CBF6 43 | 44 | -------------------------------------------------------------------------------- /CopilotChatPro/CopilotChatPro/Resources/Styles/Styles.xaml: -------------------------------------------------------------------------------- 1 |  2 | 3 | 6 | 7 | 10 | 11 | 15 | 16 | 21 | 22 | 25 | 26 | 49 | 50 | 67 | 68 | 88 | 89 | 110 | 111 | 132 | 133 | 138 | 139 | 159 | 160 | 178 | 179 | 183 | 184 | 206 | 207 | 222 | 223 | 243 | 244 | 247 | 248 | 271 | 272 | 292 | 293 | 299 | 300 | 319 | 320 | 323 | 324 | 352 | 353 | 373 | 374 | 378 | 379 | 391 | 392 | 397 | 398 | 404 | 405 | 406 | -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | Apache License 2 | Version 2.0, January 2004 3 | http://www.apache.org/licenses/ 4 | 5 | TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION 6 | 7 | 1. Definitions. 8 | 9 | "License" shall mean the terms and conditions for use, reproduction, 10 | and distribution as defined by Sections 1 through 9 of this document. 11 | 12 | "Licensor" shall mean the copyright owner or entity authorized by 13 | the copyright owner that is granting the License. 14 | 15 | "Legal Entity" shall mean the union of the acting entity and all 16 | other entities that control, are controlled by, or are under common 17 | control with that entity. For the purposes of this definition, 18 | "control" means (i) the power, direct or indirect, to cause the 19 | direction or management of such entity, whether by contract or 20 | otherwise, or (ii) ownership of fifty percent (50%) or more of the 21 | outstanding shares, or (iii) beneficial ownership of such entity. 22 | 23 | "You" (or "Your") shall mean an individual or Legal Entity 24 | exercising permissions granted by this License. 25 | 26 | "Source" form shall mean the preferred form for making modifications, 27 | including but not limited to software source code, documentation 28 | source, and configuration files. 29 | 30 | "Object" form shall mean any form resulting from mechanical 31 | transformation or translation of a Source form, including but 32 | not limited to compiled object code, generated documentation, 33 | and conversions to other media types. 34 | 35 | "Work" shall mean the work of authorship, whether in Source or 36 | Object form, made available under the License, as indicated by a 37 | copyright notice that is included in or attached to the work 38 | (an example is provided in the Appendix below). 39 | 40 | "Derivative Works" shall mean any work, whether in Source or Object 41 | form, that is based on (or derived from) the Work and for which the 42 | editorial revisions, annotations, elaborations, or other modifications 43 | represent, as a whole, an original work of authorship. For the purposes 44 | of this License, Derivative Works shall not include works that remain 45 | separable from, or merely link (or bind by name) to the interfaces of, 46 | the Work and Derivative Works thereof. 47 | 48 | "Contribution" shall mean any work of authorship, including 49 | the original version of the Work and any modifications or additions 50 | to that Work or Derivative Works thereof, that is intentionally 51 | submitted to Licensor for inclusion in the Work by the copyright owner 52 | or by an individual or Legal Entity authorized to submit on behalf of 53 | the copyright owner. For the purposes of this definition, "submitted" 54 | means any form of electronic, verbal, or written communication sent 55 | to the Licensor or its representatives, including but not limited to 56 | communication on electronic mailing lists, source code control systems, 57 | and issue tracking systems that are managed by, or on behalf of, the 58 | Licensor for the purpose of discussing and improving the Work, but 59 | excluding communication that is conspicuously marked or otherwise 60 | designated in writing by the copyright owner as "Not a Contribution." 61 | 62 | "Contributor" shall mean Licensor and any individual or Legal Entity 63 | on behalf of whom a Contribution has been received by Licensor and 64 | subsequently incorporated within the Work. 65 | 66 | 2. Grant of Copyright License. Subject to the terms and conditions of 67 | this License, each Contributor hereby grants to You a perpetual, 68 | worldwide, non-exclusive, no-charge, royalty-free, irrevocable 69 | copyright license to reproduce, prepare Derivative Works of, 70 | publicly display, publicly perform, sublicense, and distribute the 71 | Work and such Derivative Works in Source or Object form. 72 | 73 | 3. Grant of Patent License. Subject to the terms and conditions of 74 | this License, each Contributor hereby grants to You a perpetual, 75 | worldwide, non-exclusive, no-charge, royalty-free, irrevocable 76 | (except as stated in this section) patent license to make, have made, 77 | use, offer to sell, sell, import, and otherwise transfer the Work, 78 | where such license applies only to those patent claims licensable 79 | by such Contributor that are necessarily infringed by their 80 | Contribution(s) alone or by combination of their Contribution(s) 81 | with the Work to which such Contribution(s) was submitted. If You 82 | institute patent litigation against any entity (including a 83 | cross-claim or counterclaim in a lawsuit) alleging that the Work 84 | or a Contribution incorporated within the Work constitutes direct 85 | or contributory patent infringement, then any patent licenses 86 | granted to You under this License for that Work shall terminate 87 | as of the date such litigation is filed. 88 | 89 | 4. Redistribution. You may reproduce and distribute copies of the 90 | Work or Derivative Works thereof in any medium, with or without 91 | modifications, and in Source or Object form, provided that You 92 | meet the following conditions: 93 | 94 | (a) You must give any other recipients of the Work or 95 | Derivative Works a copy of this License; and 96 | 97 | (b) You must cause any modified files to carry prominent notices 98 | stating that You changed the files; and 99 | 100 | (c) You must retain, in the Source form of any Derivative Works 101 | that You distribute, all copyright, patent, trademark, and 102 | attribution notices from the Source form of the Work, 103 | excluding those notices that do not pertain to any part of 104 | the Derivative Works; and 105 | 106 | (d) If the Work includes a "NOTICE" text file as part of its 107 | distribution, then any Derivative Works that You distribute must 108 | include a readable copy of the attribution notices contained 109 | within such NOTICE file, excluding those notices that do not 110 | pertain to any part of the Derivative Works, in at least one 111 | of the following places: within a NOTICE text file distributed 112 | as part of the Derivative Works; within the Source form or 113 | documentation, if provided along with the Derivative Works; or, 114 | within a display generated by the Derivative Works, if and 115 | wherever such third-party notices normally appear. The contents 116 | of the NOTICE file are for informational purposes only and 117 | do not modify the License. You may add Your own attribution 118 | notices within Derivative Works that You distribute, alongside 119 | or as an addendum to the NOTICE text from the Work, provided 120 | that such additional attribution notices cannot be construed 121 | as modifying the License. 122 | 123 | You may add Your own copyright statement to Your modifications and 124 | may provide additional or different license terms and conditions 125 | for use, reproduction, or distribution of Your modifications, or 126 | for any such Derivative Works as a whole, provided Your use, 127 | reproduction, and distribution of the Work otherwise complies with 128 | the conditions stated in this License. 129 | 130 | 5. Submission of Contributions. Unless You explicitly state otherwise, 131 | any Contribution intentionally submitted for inclusion in the Work 132 | by You to the Licensor shall be under the terms and conditions of 133 | this License, without any additional terms or conditions. 134 | Notwithstanding the above, nothing herein shall supersede or modify 135 | the terms of any separate license agreement you may have executed 136 | with Licensor regarding such Contributions. 137 | 138 | 6. Trademarks. This License does not grant permission to use the trade 139 | names, trademarks, service marks, or product names of the Licensor, 140 | except as required for reasonable and customary use in describing the 141 | origin of the Work and reproducing the content of the NOTICE file. 142 | 143 | 7. Disclaimer of Warranty. Unless required by applicable law or 144 | agreed to in writing, Licensor provides the Work (and each 145 | Contributor provides its Contributions) on an "AS IS" BASIS, 146 | WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or 147 | implied, including, without limitation, any warranties or conditions 148 | of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A 149 | PARTICULAR PURPOSE. You are solely responsible for determining the 150 | appropriateness of using or redistributing the Work and assume any 151 | risks associated with Your exercise of permissions under this License. 152 | 153 | 8. Limitation of Liability. In no event and under no legal theory, 154 | whether in tort (including negligence), contract, or otherwise, 155 | unless required by applicable law (such as deliberate and grossly 156 | negligent acts) or agreed to in writing, shall any Contributor be 157 | liable to You for damages, including any direct, indirect, special, 158 | incidental, or consequential damages of any character arising as a 159 | result of this License or out of the use or inability to use the 160 | Work (including but not limited to damages for loss of goodwill, 161 | work stoppage, computer failure or malfunction, or any and all 162 | other commercial damages or losses), even if such Contributor 163 | has been advised of the possibility of such damages. 164 | 165 | 9. Accepting Warranty or Additional Liability. While redistributing 166 | the Work or Derivative Works thereof, You may choose to offer, 167 | and charge a fee for, acceptance of support, warranty, indemnity, 168 | or other liability obligations and/or rights consistent with this 169 | License. However, in accepting such obligations, You may act only 170 | on Your own behalf and on Your sole responsibility, not on behalf 171 | of any other Contributor, and only if You agree to indemnify, 172 | defend, and hold each Contributor harmless for any liability 173 | incurred by, or claims asserted against, such Contributor by reason 174 | of your accepting any such warranty or additional liability. 175 | 176 | END OF TERMS AND CONDITIONS 177 | 178 | APPENDIX: How to apply the Apache License to your work. 179 | 180 | To apply the Apache License to your work, attach the following 181 | boilerplate notice, with the fields enclosed by brackets "[]" 182 | replaced with your own identifying information. (Don't include 183 | the brackets!) The text should be enclosed in the appropriate 184 | comment syntax for the file format. We also recommend that a 185 | file or class name and description of purpose be included on the 186 | same "printed page" as the copyright notice for easier 187 | identification within third-party archives. 188 | 189 | Copyright [yyyy] [name of copyright owner] 190 | 191 | Licensed under the Apache License, Version 2.0 (the "License"); 192 | you may not use this file except in compliance with the License. 193 | You may obtain a copy of the License at 194 | 195 | http://www.apache.org/licenses/LICENSE-2.0 196 | 197 | Unless required by applicable law or agreed to in writing, software 198 | distributed under the License is distributed on an "AS IS" BASIS, 199 | WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. 200 | See the License for the specific language governing permissions and 201 | limitations under the License. 202 | -------------------------------------------------------------------------------- /README.ar.md: -------------------------------------------------------------------------------- 1 | # Copilot Chat Pro™ (مصححة) 2 | 3 | ![image](https://user-images.githubusercontent.com/69091361/297645227-67e62dd6-9322-4622-aa35-f7624fdf8698.png) 4 | 5 | | 🇺🇸 | 🇨🇳 | 🇹🇼 | 🇮🇳 | 🇫🇷 | 🇦🇪 | 🇩🇪 | 🇯🇵 | 🇪🇸 | 6 | | -------------------- | ---------------------------------- | ------------------------------------ | ----------------------- | --------------------- | -------------------- | ------------------------- | ------------------------- | ------------------------- | 7 | | [إنجليزي](README.md) | [الصينية المبسطة](README.zh-CN.md) | [الصينية التقليدية](README.zh-TW.md) | [الهندية](README.hi.md) | [فرنسي](README.fr.md) | [عربى](README.ar.md) | [الألمانية](README.de.md) | [اليابانية](README.ja.md) | [الأسبانية](README.es.md) | 8 | 9 | ## سمات 10 | 11 | - ✨ صناديق دردشة لا حدود لها: تحرر من قيود الأحرف (4000 -> ∞). التعبير بلا حدود! 12 | 13 | - ⚠️ الحد الفعلي الذي حدده كود الواجهة الخلفية لـ Copilot هو حوالي 23870 حرفًا (تقريبًا). 14 | 15 | - 🔍 دعم Bing Chat وCopilot. قم بتضخيم سير عملك من خلال البحث الذكي والبرمجة التعاونية. 16 | 17 | - 📱 تمكين Android: شارك في المحادثة أثناء التنقل! يتوفر الآن برنامج Copilot Chat Pro™ على نظام Android، مما يضمن لك البقاء على اتصال في أي وقت وفي أي مكان. 18 | 19 | ## لقطات الشاشة 20 | 21 | ![Screenshot 1](https://user-images.githubusercontent.com/69091361/297644441-b17ea2d1-94c4-4543-92fd-d094bb8187c6.png) 22 | 23 | _مساعد الطيار_ 24 | 25 | ![Screenshot 2](https://user-images.githubusercontent.com/69091361/297644588-1b3c7295-c6b2-46f9-9999-a99c95aad580.png) 26 | 27 | _دردشة بينج_ 28 | 29 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/765cde2d-514f-449f-b88b-5cbef013560a) 30 | 31 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/fd7288a6-d153-4c45-ba7a-32662374b4a3) 32 | 33 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/56b8c6a1-19c4-440b-9467-64b6c45013bf) 34 | 35 | ## تثبيت 36 | 37 | **لسطح المكتب:** 38 | 39 | 1. اذهب الى[صفحة الإصدار](https://github.com/qzxtu/Copilot-Chat-Pro/releases)وتنزيل أحدث إصدار. 40 | 2. قم بفك ضغط الملف المضغوط الذي تم تنزيله. 41 | 3. افتح المتصفح الخاص بك وانتقل إلى: 42 | - **الكروم:**`chrome://extensions/` 43 | - **حافة:**`edge://extensions/` 44 | 4. قم بتمكين "وضع المطور" في الجزء العلوي الأيمن. 45 | 5. انقر فوق "تحميل غير مضغوط" وحدد المجلد الذي تم فك ضغطه من الخطوة 2. 46 | 47 | **لالروبوت:** 48 | 49 | 1. قم بتنزيل برنامج Copilot Chat Pro™ لنظام Android من[صفحة الإصدار](https://github.com/qzxtu/Copilot-Chat-Pro/releases). 50 | 2. اتبع التعليمات التي تظهر على الشاشة لتثبيت التطبيق. 51 | 52 | ## الاستخدام 53 | 54 | 1. افتح موقع Bing أو Copilot. 55 | 2. قم بالدردشة دون القلق بشأن عدد الأحرف المسموح به. 56 | 3. استمتع بها! 57 | 58 | ⚠️ لا يعمل الامتداد مع الزر الجانبي لمساعد الطيار، ولا بالنسبة لمساعد الطيار الذي يأتي مدمجًا في النوافذ. 59 | 60 | ## شكر وتقدير 61 | 62 | تم إنشاء هذا المشروع بسبب الحاجة إلى تحديث المشروع التالي:[بنج الدردشة برو](https://github.com/blueagler/Bing-Chat-Pro). كان هذا الأخير بمثابة مصدر إلهام لتطوير برنامج Copilot Chat Pro™. 63 | 64 | شكر خاص للمبدع الأصلي لـ Bing Chat Pro،[blueagler](https://github.com/blueagler)، لمساهمتهم في المجتمع. 65 | 66 | ## مشاكل 67 | 68 | إذا واجهت أي مشاكل أو لديك اقتراحات، من فضلك[فتح قضية](https://github.com/qzxtu/copilot-chat-pro/issues). 69 | 70 | ## رخصة 71 | 72 | تم ترخيص هذا المشروع بموجب ترخيص Apache 2.0 - راجع[رخصة](LICENSE)ملف للحصول على التفاصيل. 73 | 74 | ## المساهمات 75 | 76 | المساهمات هي موضع ترحيب! يرجى تفرع المستودع وإنشاء طلب سحب يتضمن تغييراتك. 77 | 78 | ## يدعم 79 | 80 | [![PayPal](https://img.shields.io/badge/PayPal-00457C?style=for-the-badge&logo=paypal&logoColor=white)](https://paypal.me/nova355killer) 81 | [![Ko-Fi](https://img.shields.io/badge/kofi-00457C?style=for-the-badge&logo=ko-fi&logoColor=white)](https://ko-fi.com/nova355) 82 | -------------------------------------------------------------------------------- /README.de.md: -------------------------------------------------------------------------------- 1 | # Copilot Chat Pro™ (gepatcht) 2 | 3 | ![image](https://user-images.githubusercontent.com/69091361/297645227-67e62dd6-9322-4622-aa35-f7624fdf8698.png) 4 | 5 | | 🇺🇸 | 🇨🇳 | 🇹🇼 | 🇮🇳 | 🇫🇷 | 🇦🇪 | 🇩🇪 | 🇯🇵 | 🇪🇸 | 6 | | --------------------- | ------------------------------------------- | -------------------------------------------- | --------------------- | --------------------------- | ---------------------- | ----------------------- | ------------------------- | ------------------------ | 7 | | [Englisch](README.md) | [Vereinfachtes Chinesisch](README.zh-CN.md) | [Traditionelles Chinesisch](README.zh-TW.md) | [Hindi](README.hi.md) | [Französisch](README.fr.md) | [Araber](README.ar.md) | [Deutsch](README.de.md) | [japanisch](README.ja.md) | [Spanisch](README.es.md) | 8 | 9 | ## Merkmale 10 | 11 | - ✨ Unbegrenzte Chatboxen: Befreien Sie sich von Zeichenbeschränkungen (4000 -> ∞). Express ohne Grenzen! 12 | 13 | - ⚠️ Das vom Copilot-Backend-Code tatsächlich festgelegte Limit beträgt etwa 23.870 Zeichen (ungefähr). 14 | 15 | - 🔍 Unterstützung für Bing Chat und Copilot. Erweitern Sie Ihren Workflow mit intelligenter Suche und kollaborativer Codierung. 16 | 17 | - 📱 Android Empowerment: Führen Sie die Unterhaltung auch unterwegs! Copilot Chat Pro™ ist jetzt für Android verfügbar und stellt sicher, dass Sie jederzeit und überall in Verbindung bleiben. 18 | 19 | ## Screenshots 20 | 21 | ![Screenshot 1](https://user-images.githubusercontent.com/69091361/297644441-b17ea2d1-94c4-4543-92fd-d094bb8187c6.png) 22 | 23 | _Kopilot_ 24 | 25 | ![Screenshot 2](https://user-images.githubusercontent.com/69091361/297644588-1b3c7295-c6b2-46f9-9999-a99c95aad580.png) 26 | 27 | _Bing-Chat_ 28 | 29 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/765cde2d-514f-449f-b88b-5cbef013560a) 30 | 31 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/fd7288a6-d153-4c45-ba7a-32662374b4a3) 32 | 33 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/56b8c6a1-19c4-440b-9467-64b6c45013bf) 34 | 35 | ## Installation 36 | 37 | **Für Desktop:** 38 | 39 | 1. Gehe zum[Release-Seite](https://github.com/qzxtu/Copilot-Chat-Pro/releases)und laden Sie die neueste Version herunter. 40 | 2. Dekomprimieren Sie die heruntergeladene ZIP-Datei. 41 | 3. Öffnen Sie Ihren Browser und navigieren Sie zu: 42 | - **Chrom:**`chrome://extensions/` 43 | - **Rand:**`edge://extensions/` 44 | 4. Aktivieren Sie oben rechts den „Entwicklermodus“. 45 | 5. Klicken Sie auf „Entpackt laden“ und wählen Sie den dekomprimierten Ordner aus Schritt 2 aus. 46 | 47 | **Für Android:** 48 | 49 | 1. Laden Sie Copilot Chat Pro™ für Android herunter von[Release-Seite](https://github.com/qzxtu/Copilot-Chat-Pro/releases). 50 | 2. Befolgen Sie die Anweisungen auf dem Bildschirm, um die App zu installieren. 51 | 52 | ## Verwendung 53 | 54 | 1. Öffnen Sie die Bing- oder Copilot-Website. 55 | 2. Chatten Sie, ohne sich Gedanken über Zeichenbeschränkungen machen zu müssen. 56 | 3. Genießen Sie es! 57 | 58 | ⚠️ Die Erweiterung funktioniert nicht für die Edge-Copilot-Seitentaste und auch nicht für den Copilot, der in Windows integriert ist. 59 | 60 | ## Danksagungen 61 | 62 | Dieses Projekt entstand aus der Notwendigkeit heraus, das folgende Projekt zu aktualisieren:[Bing Chat Pro](https://github.com/blueagler/Bing-Chat-Pro). Letzteres diente als Inspiration für die Entwicklung von Copilot Chat Pro™. 63 | 64 | Ein besonderer Dank geht an den ursprünglichen Schöpfer von Bing Chat Pro,[Blueagler](https://github.com/blueagler), für ihren Beitrag zur Gemeinschaft. 65 | 66 | ## Probleme 67 | 68 | Wenn Sie auf Probleme stoßen oder Vorschläge haben, wenden Sie sich bitte an uns[ein Problem eröffnen](https://github.com/qzxtu/copilot-chat-pro/issues). 69 | 70 | ## Lizenz 71 | 72 | Dieses Projekt ist unter der Apache 2.0-Lizenz lizenziert – siehe[LIZENZ](LICENSE)Einzelheiten finden Sie in der Datei. 73 | 74 | ## Beiträge 75 | 76 | Beiträge sind willkommen! Bitte forken Sie das Repository und erstellen Sie eine Pull-Anfrage mit Ihren Änderungen. 77 | 78 | ## Unterstützung 79 | 80 | [![PayPal](https://img.shields.io/badge/PayPal-00457C?style=for-the-badge&logo=paypal&logoColor=white)](https://paypal.me/nova355killer) 81 | [![Ko-Fi](https://img.shields.io/badge/kofi-00457C?style=for-the-badge&logo=ko-fi&logoColor=white)](https://ko-fi.com/nova355) 82 | -------------------------------------------------------------------------------- /README.es.md: -------------------------------------------------------------------------------- 1 | # Copilot Chat Pro™ (parcheado) 2 | 3 | ![image](https://user-images.githubusercontent.com/69091361/297645227-67e62dd6-9322-4622-aa35-f7624fdf8698.png) 4 | 5 | | 🇺🇸 | 🇨🇳 | 🇹🇼 | 🇮🇳 | 🇫🇷 | 🇦🇪 | 🇩🇪 | 🇯🇵 | 🇪🇸 | 6 | | ------------------- | ------------------------------------- | ------------------------------------ | --------------------- | ----------------------- | --------------------- | ---------------------- | ----------------------- | ----------------------- | 7 | | [Inglés](README.md) | [Chino simplificado](README.zh-CN.md) | [chino tradicional](README.zh-TW.md) | [hindi](README.hi.md) | [Francés](README.fr.md) | [árabe](README.ar.md) | [Alemán](README.de.md) | [japonés](README.ja.md) | [Español](README.es.md) | 8 | 9 | ## Características 10 | 11 | - ✨ Chatboxes ilimitados: Libérate de las restricciones de personajes (4000 -> ∞). ¡Exprésate sin límites! 12 | 13 | - ⚠️ El límite real establecido por el código backend de Copilot es de aproximadamente 23,870 caracteres (aproximadamente). 14 | 15 | - 🔍 Soporte para Bing Chat y Copilot. Amplifique su flujo de trabajo con búsqueda inteligente y codificación colaborativa. 16 | 17 | - 📱 Empoderamiento de Android: ¡lleva la conversación mientras viajas! Copilot Chat Pro™ ahora está disponible en Android, lo que garantiza que permanezca conectado en cualquier momento y en cualquier lugar. 18 | 19 | ## Capturas de pantalla 20 | 21 | ![Screenshot 1](https://user-images.githubusercontent.com/69091361/297644441-b17ea2d1-94c4-4543-92fd-d094bb8187c6.png) 22 | 23 | _Copiloto_ 24 | 25 | ![Screenshot 2](https://user-images.githubusercontent.com/69091361/297644588-1b3c7295-c6b2-46f9-9999-a99c95aad580.png) 26 | 27 | _Chat de Bing_ 28 | 29 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/765cde2d-514f-449f-b88b-5cbef013560a) 30 | 31 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/fd7288a6-d153-4c45-ba7a-32662374b4a3) 32 | 33 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/56b8c6a1-19c4-440b-9467-64b6c45013bf) 34 | 35 | ## Instalación 36 | 37 | **Para escritorio:** 38 | 39 | 1. Ir al[página de lanzamiento](https://github.com/qzxtu/Copilot-Chat-Pro/releases)y descargue la última versión. 40 | 2. Descomprime el archivo zip descargado. 41 | 3. Abra su navegador y navegue hasta: 42 | - **Cromo:**`chrome://extensions/` 43 | - **Borde:**`edge://extensions/` 44 | 4. Habilite el "Modo de desarrollador" en la parte superior derecha. 45 | 5. Haga clic en "Cargar descomprimido" y seleccione la carpeta descomprimida del paso 2. 46 | 47 | **Para Android:** 48 | 49 | 1. Descargue Copilot Chat Pro™ para Android desde[página de lanzamiento](https://github.com/qzxtu/Copilot-Chat-Pro/releases). 50 | 2. Siga las instrucciones en pantalla para instalar la aplicación. 51 | 52 | ## Uso 53 | 54 | 1. Abra el sitio web Bing o Copilot. 55 | 2. Chatea sin preocuparte por los límites de caracteres. 56 | 3. ¡Disfrútala! 57 | 58 | ⚠️ La extensión no sirve para el botón lateral del copiloto edge, ni tampoco para el copiloto que viene integrado en windows. 59 | 60 | ## Expresiones de gratitud 61 | 62 | Este proyecto fue creado por la necesidad de actualizar el siguiente proyecto:[Bing Chat Pro](https://github.com/blueagler/Bing-Chat-Pro). Este último sirvió de inspiración para el desarrollo de Copilot Chat Pro™. 63 | 64 | Un agradecimiento especial al creador original de Bing Chat Pro,[águila azul](https://github.com/blueagler), por su contribución a la comunidad. 65 | 66 | ## Asuntos 67 | 68 | Si encuentra algún problema o tiene sugerencias, por favor[abrir un problema](https://github.com/qzxtu/copilot-chat-pro/issues). 69 | 70 | ## Licencia 71 | 72 | Este proyecto tiene la licencia Apache 2.0; consulte la[LICENCIA](LICENSE)archivo para más detalles. 73 | 74 | ## Contribuciones 75 | 76 | ¡Las contribuciones son bienvenidas! Bifurque el repositorio y cree una solicitud de extracción con sus cambios. 77 | 78 | ## Apoyo 79 | 80 | [![PayPal](https://img.shields.io/badge/PayPal-00457C?style=for-the-badge&logo=paypal&logoColor=white)](https://paypal.me/nova355killer) 81 | [![Ko-Fi](https://img.shields.io/badge/kofi-00457C?style=for-the-badge&logo=ko-fi&logoColor=white)](https://ko-fi.com/nova355) 82 | -------------------------------------------------------------------------------- /README.fr.md: -------------------------------------------------------------------------------- 1 | # Copilot Chat Pro™ (patché) 2 | 3 | ![image](https://user-images.githubusercontent.com/69091361/297645227-67e62dd6-9322-4622-aa35-f7624fdf8698.png) 4 | 5 | | 🇺🇸 | 🇨🇳 | 🇹🇼 | 🇮🇳 | 🇫🇷 | 🇦🇪 | 🇩🇪 | 🇯🇵 | 🇪🇸 | 6 | | -------------------- | ------------------------------------ | --------------------------------------- | --------------------- | ------------------------- | --------------------- | ------------------------ | ------------------------ | ------------------------ | 7 | | [Anglais](README.md) | [Chinois simplifié](README.zh-CN.md) | [Chinois traditionnel](README.zh-TW.md) | [hindi](README.hi.md) | [Française](README.fr.md) | [arabe](README.ar.md) | [Allemand](README.de.md) | [japonais](README.ja.md) | [Espagnol](README.es.md) | 8 | 9 | ## Caractéristiques 10 | 11 | - ✨ Chatbox illimitées : libérez-vous des restrictions de caractères (4000 -> ∞). Exprimez-vous sans frontières ! 12 | 13 | - ⚠️ La limite réelle fixée par le code backend Copilot est d'environ 23 870 caractères (environ). 14 | 15 | - 🔍 Prise en charge de Bing Chat et Copilot. Amplifiez votre flux de travail grâce à la recherche intelligente et au codage collaboratif. 16 | 17 | - 📱 Android Empowerment : participez à la conversation en déplacement ! Copilot Chat Pro™ est désormais disponible sur Android, vous garantissant de rester connecté à tout moment et en tout lieu. 18 | 19 | ## Captures d'écran 20 | 21 | ![Screenshot 1](https://user-images.githubusercontent.com/69091361/297644441-b17ea2d1-94c4-4543-92fd-d094bb8187c6.png) 22 | 23 | _Copilote_ 24 | 25 | ![Screenshot 2](https://user-images.githubusercontent.com/69091361/297644588-1b3c7295-c6b2-46f9-9999-a99c95aad580.png) 26 | 27 | _Chat Bing_ 28 | 29 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/765cde2d-514f-449f-b88b-5cbef013560a) 30 | 31 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/fd7288a6-d153-4c45-ba7a-32662374b4a3) 32 | 33 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/56b8c6a1-19c4-440b-9467-64b6c45013bf) 34 | 35 | ## Installation 36 | 37 | **Pour le bureau :** 38 | 39 | 1. Allez au[page de sortie](https://github.com/qzxtu/Copilot-Chat-Pro/releases)et téléchargez la dernière version. 40 | 2. Décompressez le fichier zip téléchargé. 41 | 3. Ouvrez votre navigateur et accédez à : 42 | - **Chrome:**`chrome://extensions/` 43 | - **Bord:**`edge://extensions/` 44 | 4. Activez le « Mode développeur » en haut à droite. 45 | 5. Cliquez sur "Charger décompressé" et sélectionnez le dossier décompressé de l'étape 2. 46 | 47 | **Pour Android :** 48 | 49 | 1. Téléchargez Copilot Chat Pro™ pour Android à partir de[page de sortie](https://github.com/qzxtu/Copilot-Chat-Pro/releases). 50 | 2. Suivez les instructions à l'écran pour installer l'application. 51 | 52 | ## Usage 53 | 54 | 1. Ouvrez le site Web Bing ou Copilot. 55 | 2. Discutez sans vous soucier des limites de caractères. 56 | 3. Profitez-en! 57 | 58 | ⚠️ L'extension ne fonctionne pas pour le bouton latéral du copilote Edge, ni pour le copilote intégré dans Windows. 59 | 60 | ## Remerciements 61 | 62 | Ce projet a été créé suite à la nécessité de mettre à jour le projet suivant :[Bing Chat Pro](https://github.com/blueagler/Bing-Chat-Pro). Ce dernier a servi d’inspiration pour le développement de Copilot Chat Pro™. 63 | 64 | Un merci spécial au créateur original de Bing Chat Pro,[Aigle bleu](https://github.com/blueagler), pour leur contribution à la communauté. 65 | 66 | ## Problèmes 67 | 68 | Si vous rencontrez des problèmes ou avez des suggestions, veuillez[ouvrir un sujet](https://github.com/qzxtu/copilot-chat-pro/issues). 69 | 70 | ## Licence 71 | 72 | Ce projet est sous licence Apache 2.0 - voir le[LICENCE](LICENSE)fichier pour plus de détails. 73 | 74 | ## Cotisations 75 | 76 | Les contributions sont les bienvenues ! Veuillez créer le référentiel et créer une pull request avec vos modifications. 77 | 78 | ## Soutien 79 | 80 | [![PayPal](https://img.shields.io/badge/PayPal-00457C?style=for-the-badge&logo=paypal&logoColor=white)](https://paypal.me/nova355killer) 81 | [![Ko-Fi](https://img.shields.io/badge/kofi-00457C?style=for-the-badge&logo=ko-fi&logoColor=white)](https://ko-fi.com/nova355) 82 | -------------------------------------------------------------------------------- /README.hi.md: -------------------------------------------------------------------------------- 1 | # कोपायलट चैट प्रो™ (पैच किया गया) 2 | 3 | ![image](https://user-images.githubusercontent.com/69091361/297645227-67e62dd6-9322-4622-aa35-f7624fdf8698.png) 4 | 5 | | 🇺🇸 | 🇨🇳 | 🇹🇼 | 🇮🇳 | 🇫🇷 | 🇦🇪 | 🇩🇪 | 🇯🇵 | 🇪🇸 | 6 | | ---------------------- | ------------------------------- | -------------------------------- | --------------------- | ----------------------- | ------------------- | --------------------- | ---------------------- | ----------------------- | 7 | | [अंग्रेज़ी](README.md) | [सरलीकृत चीनी](README.zh-CN.md) | [परंपरागत चीनी](README.zh-TW.md) | [हिंदी](README.hi.md) | [फ़्रेंच](README.fr.md) | [अरब](README.ar.md) | [जर्मन](README.de.md) | [जापानी](README.ja.md) | [स्पैनिश](README.es.md) | 8 | 9 | ## विशेषताएँ 10 | 11 | - ✨ असीमित चैटबॉक्स: चरित्र प्रतिबंधों से मुक्त हो जाएं (4000 -> ∞)। बिना सीमाओं के व्यक्त करें! 12 | 13 | - ⚠️ कोपायलट बैकएंड कोड द्वारा निर्धारित वास्तविक सीमा लगभग 23,870 वर्ण (लगभग) है। 14 | 15 | - 🔍बिंग चैट और कोपायलट के लिए समर्थन। बुद्धिमान खोज और सहयोगी कोडिंग के साथ अपने वर्कफ़्लो को बढ़ाएं। 16 | 17 | - 📱 एंड्रॉइड सशक्तिकरण: चलते-फिरते बातचीत करें! कोपायलट चैट प्रो™ अब एंड्रॉइड पर उपलब्ध है, जो यह सुनिश्चित करता है कि आप कभी भी, कहीं भी जुड़े रहें। 18 | 19 | ## स्क्रीनशॉट 20 | 21 | ![Screenshot 1](https://user-images.githubusercontent.com/69091361/297644441-b17ea2d1-94c4-4543-92fd-d094bb8187c6.png) 22 | 23 | _सह पायलट_ 24 | 25 | ![Screenshot 2](https://user-images.githubusercontent.com/69091361/297644588-1b3c7295-c6b2-46f9-9999-a99c95aad580.png) 26 | 27 | _बिंग चैट_ 28 | 29 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/765cde2d-514f-449f-b88b-5cbef013560a) 30 | 31 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/fd7288a6-d153-4c45-ba7a-32662374b4a3) 32 | 33 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/56b8c6a1-19c4-440b-9467-64b6c45013bf) 34 | 35 | ## इंस्टालेशन 36 | 37 | **डेस्कटॉप के लिए:** 38 | 39 | 1. के पास जाओ[रिलीज पेज](https://github.com/qzxtu/Copilot-Chat-Pro/releases)और नवीनतम संस्करण डाउनलोड करें. 40 | 2. डाउनलोड की गई ज़िप फ़ाइल को डीकंप्रेस करें। 41 | 3. अपना ब्राउज़र खोलें और यहां नेविगेट करें: 42 | - **क्रोम:**`chrome://extensions/` 43 | - **किनारा:**`edge://extensions/` 44 | 4. Enable "Developer mode" in the top right. 45 | 5. "लोड अनपैक्ड" पर क्लिक करें और चरण 2 से डीकंप्रेस्ड फ़ोल्डर का चयन करें। 46 | 47 | **एंड्रॉयड के लिए:** 48 | 49 | 1. Android के लिए Copilot Chat Pro™ डाउनलोड करें[रिलीज पेज](https://github.com/qzxtu/Copilot-Chat-Pro/releases). 50 | 2. ऐप इंस्टॉल करने के लिए ऑन-स्क्रीन निर्देशों का पालन करें। 51 | 52 | ## प्रयोग 53 | 54 | 1. बिंग या कोपायलट वेबसाइट खोलें। 55 | 2. चरित्र सीमा की चिंता किए बिना चैट करें। 56 | 3. इसका आनंद लें! 57 | 58 | ⚠️ एक्सटेंशन एज कोपायलट साइड बटन के लिए काम नहीं करता है, न ही कोपायलट के लिए जो विंडोज़ में एकीकृत होता है। 59 | 60 | ## स्वीकृतियाँ 61 | 62 | यह प्रोजेक्ट निम्नलिखित प्रोजेक्ट को अद्यतन करने की आवश्यकता से बनाया गया था:[बिंग चैट प्रो](https://github.com/blueagler/Bing-Chat-Pro). बाद वाले ने कोपायलट चैट प्रो™ के विकास के लिए प्रेरणा का काम किया। 63 | 64 | बिंग चैट प्रो के मूल निर्माता को विशेष धन्यवाद,[ब्लूएग्लर](https://github.com/blueagler), समुदाय में उनके योगदान के लिए। 65 | 66 | ## समस्याएँ 67 | 68 | यदि आपको कोई समस्या आती है या आपके पास सुझाव हैं, तो कृपया[एक मुद्दा खोलें](https://github.com/qzxtu/copilot-chat-pro/issues). 69 | 70 | ## लाइसेंस 71 | 72 | This project is licensed under the Apache 2.0 License - see the [लाइसेंस](LICENSE)विवरण के लिए फ़ाइल. 73 | 74 | ## योगदान 75 | 76 | योगदान का स्वागत है! कृपया रिपॉजिटरी को फोर्क करें और अपने परिवर्तनों के साथ एक पुल अनुरोध बनाएं। 77 | 78 | ## सहायता 79 | 80 | [![PayPal](https://img.shields.io/badge/PayPal-00457C?style=for-the-badge&logo=paypal&logoColor=white)](https://paypal.me/nova355killer) 81 | [![Ko-Fi](https://img.shields.io/badge/kofi-00457C?style=for-the-badge&logo=ko-fi&logoColor=white)](https://ko-fi.com/nova355) 82 | -------------------------------------------------------------------------------- /README.ja.md: -------------------------------------------------------------------------------- 1 | # Copilot Chat Pro™ (パッチ適用済み) 2 | 3 | ![image](https://user-images.githubusercontent.com/69091361/297645227-67e62dd6-9322-4622-aa35-f7624fdf8698.png) 4 | 5 | | 🇺🇸 | 🇨🇳 | 🇹🇼 | 🇮🇳 | 🇫🇷 | 🇦🇪 | 🇩🇪 | 🇯🇵 | 🇪🇸 | 6 | | --------------- | ------------------------- | ----------------------- | ---------------------- | --------------------- | ------------------- | -------------------- | ------------------- | --------------------- | 7 | | [英語](README.md) | [簡体字中国語](README.zh-CN.md) | [繁体中文](README.zh-TW.md) | [ヒンディー語](README.hi.md) | [フランス語](README.fr.md) | [アラブ](README.ar.md) | [ドイツ語](README.de.md) | [日本語](README.ja.md) | [スペイン語](README.es.md) | 8 | 9 | ## 特徴 10 | 11 | - ✨ 無制限のチャットボックス: 文字数制限 (4000 -> ∞) から解放されます。境界線なく表現しましょう! 12 | 13 | - ⚠️ Copilot バックエンド コードによって設定される実際の制限は、(およそ) 約 23,870 文字です。 14 | 15 | - 🔍 Bing Chat と Copilot のサポート。インテリジェントな検索と共同コーディングでワークフローを強化します。 16 | 17 | - 📱 Android のエンパワーメント: 外出先でも会話を楽しめます! Copilot Chat Pro™ が Android で利用できるようになり、いつでもどこでも接続を維持できます。 18 | 19 | ## スクリーンショット 20 | 21 | ![Screenshot 1](https://user-images.githubusercontent.com/69091361/297644441-b17ea2d1-94c4-4543-92fd-d094bb8187c6.png) 22 | 23 | _副操縦士_ 24 | 25 | ![Screenshot 2](https://user-images.githubusercontent.com/69091361/297644588-1b3c7295-c6b2-46f9-9999-a99c95aad580.png) 26 | 27 | _Bing チャット_ 28 | 29 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/765cde2d-514f-449f-b88b-5cbef013560a) 30 | 31 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/fd7288a6-d153-4c45-ba7a-32662374b4a3) 32 | 33 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/56b8c6a1-19c4-440b-9467-64b6c45013bf) 34 | 35 | ## インストール 36 | 37 | **デスクトップの場合:** 38 | 39 | 1. に行きます[リリースページ](https://github.com/qzxtu/Copilot-Chat-Pro/releases)最新バージョンをダウンロードしてください。 40 | 2. ダウンロードしたzipファイルを解凍します。 41 | 3. ブラウザを開いて次の場所に移動します。 42 | - **クロム:**`chrome://extensions/` 43 | - **角:**`edge://extensions/` 44 | 4. 右上の「開発者モード」を有効にします。 45 | 5. 「解凍してロード」をクリックし、手順 2 で解凍したフォルダーを選択します。 46 | 47 | **アンドロイドの場合:** 48 | 49 | 1. Android 用 Copilot Chat Pro™ を次からダウンロードします。[release page](https://github.com/qzxtu/Copilot-Chat-Pro/releases). 50 | 2. 画面上の指示に従ってアプリをインストールします。 51 | 52 | ## 使用法 53 | 54 | 1. Bing または Copilot の Web サイトを開きます。 55 | 2. 文字数制限を気にせずチャットできます。 56 | 3. 楽しめ! 57 | 58 | ⚠️ この拡張機能は、Edge コパイロットのサイド ボタンでは機能せず、Windows に統合されているコパイロットでも機能しません。 59 | 60 | ## 謝辞 61 | 62 | このプロジェクトは、次のプロジェクトを更新する必要があるために作成されました。[Bing チャット プロ](https://github.com/blueagler/Bing-Chat-Pro)。後者は、Copilot Chat Pro™ 開発のインスピレーションとなりました。 63 | 64 | Bing Chat Pro のオリジナルの作成者に特別な感謝を申し上げます。[ブルーアグラー](https://github.com/blueagler)、コミュニティへの貢献に対して。 65 | 66 | ## 問題 67 | 68 | 問題が発生したり、提案がある場合は、[open an issue](https://github.com/qzxtu/copilot-chat-pro/issues). 69 | 70 | ## ライセンス 71 | 72 | このプロジェクトは Apache 2.0 ライセンスに基づいてライセンスされています - を参照してください。[ライセンス](LICENSE)詳細については、ファイルを参照してください。 73 | 74 | ## 貢献 75 | 76 | 貢献は大歓迎です!リポジトリをフォークし、変更を加えたプル リクエストを作成してください。 77 | 78 | ## サポート 79 | 80 | [![PayPal](https://img.shields.io/badge/PayPal-00457C?style=for-the-badge&logo=paypal&logoColor=white)](https://paypal.me/nova355killer) 81 | [![Ko-Fi](https://img.shields.io/badge/kofi-00457C?style=for-the-badge&logo=ko-fi&logoColor=white)](https://ko-fi.com/nova355) 82 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # Copilot Chat Pro™ (Patched) 2 | ![image](https://user-images.githubusercontent.com/69091361/297645227-67e62dd6-9322-4622-aa35-f7624fdf8698.png) 3 | 4 | | 🇺🇸 | 🇨🇳 | 🇹🇼 | 🇮🇳 | 🇫🇷 | 🇦🇪 | 🇩🇪 | 🇯🇵 | 🇪🇸 | 5 | |-----|-----|-----|-----|-----|-----|-----|-----|-----| 6 | | [English](README.md) | [简体中文](README.zh-CN.md) | [繁体中文](README.zh-TW.md) | [हिंदी](README.hi.md) | [Française](README.fr.md) | [عربى](README.ar.md) | [Deutsch](README.de.md) | [日本語](README.ja.md) | [Español](README.es.md) | 7 | 8 | ## Features 9 | 10 | - ✨ Limitless Chatboxes: Break free from character restrictions (4000 -> ∞). Express without boundaries! 11 | 12 | - ⚠️ The actual limit set by the Copilot backend code is about 23,870 characters (approximately). 13 | 14 | - 🔍 Support for Bing Chat and Copilot. Amplify your workflow with intelligent search and collaborative coding. 15 | 16 | - 📱 Android Empowerment: Take the conversation on the go! Copilot Chat Pro™ is now available on Android, ensuring you stay connected anytime, anywhere. 17 | 18 | ## Screenshots 19 | 20 | ![Screenshot 1](https://user-images.githubusercontent.com/69091361/297644441-b17ea2d1-94c4-4543-92fd-d094bb8187c6.png) 21 | 22 | *Copilot* 23 | 24 | ![Screenshot 2](https://user-images.githubusercontent.com/69091361/297644588-1b3c7295-c6b2-46f9-9999-a99c95aad580.png) 25 | 26 | *Bing Chat* 27 | 28 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/765cde2d-514f-449f-b88b-5cbef013560a) 29 | 30 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/fd7288a6-d153-4c45-ba7a-32662374b4a3) 31 | 32 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/56b8c6a1-19c4-440b-9467-64b6c45013bf) 33 | 34 | ## Installation 35 | **For Desktop:** 36 | 1. Go to the [release page](https://github.com/qzxtu/Copilot-Chat-Pro/releases) and download the latest version. 37 | 2. Decompress the downloaded zip file. 38 | 3. Open your browser and navigate to: 39 | - **Chrome:** `chrome://extensions/` 40 | - **Edge:** `edge://extensions/` 41 | 4. Enable "Developer mode" in the top right. 42 | 5. Click on "Load unpacked" and select the decompressed folder from step 2. 43 | 44 | **For Android:** 45 | 1. Download Copilot Chat Pro™ for Android from [release page](https://github.com/qzxtu/Copilot-Chat-Pro/releases). 46 | 2. Follow the on-screen instructions to install the app. 47 | 48 | ## Usage 49 | 50 | 1. Open Bing or Copilot Website. 51 | 2. Chat without worrying about character limits. 52 | 3. Enjoy It! 53 | 54 | ⚠️ The extension does not work for the edge copilot side button, neither for copilot that comes integrated in windows. 55 | 56 | ## Acknowledgements 57 | 58 | This project was created out of the need to update the following project: [Bing Chat Pro](https://github.com/blueagler/Bing-Chat-Pro). The latter served as inspiration for the development of Copilot Chat Pro™. 59 | 60 | A special thank you to the original creator of Bing Chat Pro, [blueagler](https://github.com/blueagler), for their contribution to the community. 61 | 62 | ## Issues 63 | 64 | If you encounter any issues or have suggestions, please [open an issue](https://github.com/qzxtu/copilot-chat-pro/issues). 65 | 66 | ## License 67 | 68 | This project is licensed under the Apache 2.0 License - see the [LICENSE](LICENSE) file for details. 69 | 70 | ## Contributions 71 | 72 | Contributions are welcome! Please fork the repository and create a pull request with your changes. 73 | 74 | ## Support 75 | 76 | [![PayPal](https://img.shields.io/badge/PayPal-00457C?style=for-the-badge&logo=paypal&logoColor=white)](https://paypal.me/nova355killer) 77 | [![Ko-Fi](https://img.shields.io/badge/kofi-00457C?style=for-the-badge&logo=ko-fi&logoColor=white)](https://ko-fi.com/nova355) 78 | -------------------------------------------------------------------------------- /README.zh-CN.md: -------------------------------------------------------------------------------- 1 | # 副驾驶聊天 Pro™(已修补) 2 | 3 | ![image](https://user-images.githubusercontent.com/69091361/297645227-67e62dd6-9322-4622-aa35-f7624fdf8698.png) 4 | 5 | | 🇺🇸 | 🇨🇳 | 🇹🇼 | 🇮🇳 | 🇫🇷 | 🇦🇪 | 🇩🇪 | 🇯🇵 | 🇪🇸 | 6 | | --------------- | ----------------------- | ----------------------- | ------------------- | ------------------ | ------------------- | ------------------ | ------------------- | -------------------- | 7 | | [英语](README.md) | [简体中文](README.zh-CN.md) | [繁体中文](README.zh-TW.md) | [印地语](README.hi.md) | [法语](README.fr.md) | [阿拉伯](README.ar.md) | [德语](README.de.md) | [日本人](README.ja.md) | [西班牙语](README.es.md) | 8 | 9 | ## 特征 10 | 11 | - ✨ 无限聊天框:摆脱字符限制(4000 -> ∞)。表达无界限! 12 | 13 | - ⚠️ Copilot 后端代码设置的实际限制约为 23,870 个字符(大约)。 14 | 15 | - 🔍 支持 Bing Chat 和 Copilot。通过智能搜索和协作编码扩大您的工作流程。 16 | 17 | - 📱 Android 授权:随时随地进行对话! Copilot Chat Pro™ 现已在 Android 上推出,确保您随时随地保持联系。 18 | 19 | ## 截图 20 | 21 | ![Screenshot 1](https://user-images.githubusercontent.com/69091361/297644441-b17ea2d1-94c4-4543-92fd-d094bb8187c6.png) 22 | 23 | _副驾驶_ 24 | 25 | ![Screenshot 2](https://user-images.githubusercontent.com/69091361/297644588-1b3c7295-c6b2-46f9-9999-a99c95aad580.png) 26 | 27 | _必应聊天_ 28 | 29 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/765cde2d-514f-449f-b88b-5cbef013560a) 30 | 31 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/fd7288a6-d153-4c45-ba7a-32662374b4a3) 32 | 33 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/56b8c6a1-19c4-440b-9467-64b6c45013bf) 34 | 35 | ## 安装 36 | 37 | **对于桌面:** 38 | 39 | 1. 前往[发布页面](https://github.com/qzxtu/Copilot-Chat-Pro/releases)并下载最新版本。 40 | 2. 解压下载的 zip 文件。 41 | 3. 打开浏览器并导航至: 42 | - **铬合金:**`chrome://extensions/` 43 | - **边缘:**`edge://extensions/` 44 | 4. 启用右上角的“开发者模式”。 45 | 5. Click on "Load unpacked" and select the decompressed folder from step 2. 46 | 47 | **对于安卓:** 48 | 49 | 1. 下载适用于 Android 的 Copilot Chat Pro™,从[发布页面](https://github.com/qzxtu/Copilot-Chat-Pro/releases). 50 | 2. 按照屏幕上的说明安装应用程序。 51 | 52 | ## 用法 53 | 54 | 1. 打开 Bing 或 Copilot 网站。 55 | 2. 聊天时无需担心字符限制。 56 | 3. 好好享受! 57 | 58 | ⚠️ 该扩展不适用于边缘副驾驶侧按钮,也不适用于集成在 Windows 中的副驾驶。 59 | 60 | ## 致谢 61 | 62 | 该项目是出于更新以下项目的需要而创建的:[必应聊天专业版](https://github.com/blueagler/Bing-Chat-Pro). The latter served as inspiration for the development of Copilot Chat Pro™. 63 | 64 | 特别感谢 Bing Chat Pro 的原创者,[布劳艾格勒](https://github.com/blueagler),以表彰他们对社区的贡献。 65 | 66 | ## 问题 67 | 68 | 如果您遇到任何问题或有建议,请[打开一个问题](https://github.com/qzxtu/copilot-chat-pro/issues). 69 | 70 | ## 执照 71 | 72 | 该项目根据 Apache 2.0 许可证获得许可 - 请参阅[执照](LICENSE)文件以获取详细信息。 73 | 74 | ## 贡献 75 | 76 | 欢迎贡献!请分叉存储库并使用您的更改创建拉取请求。 77 | 78 | ## 支持 79 | 80 | [![PayPal](https://img.shields.io/badge/PayPal-00457C?style=for-the-badge&logo=paypal&logoColor=white)](https://paypal.me/nova355killer) 81 | [![Ko-Fi](https://img.shields.io/badge/kofi-00457C?style=for-the-badge&logo=ko-fi&logoColor=white)](https://ko-fi.com/nova355) 82 | -------------------------------------------------------------------------------- /README.zh-TW.md: -------------------------------------------------------------------------------- 1 | # 副駕駛聊天 Pro™(已修補) 2 | 3 | ![image](https://user-images.githubusercontent.com/69091361/297645227-67e62dd6-9322-4622-aa35-f7624fdf8698.png) 4 | 5 | | 🇺🇸 | 🇨🇳 | 🇹🇼 | 🇮🇳 | 🇫🇷 | 🇦🇪 | 🇩🇪 | 🇯🇵 | 🇪🇸 | 6 | | --------------- | ----------------------- | ----------------------- | ------------------- | ------------------ | ------------------- | ------------------ | ------------------- | -------------------- | 7 | | [英語](README.md) | [簡體中文](README.zh-CN.md) | [繁體中文](README.zh-TW.md) | [印地語](README.hi.md) | [法語](README.fr.md) | [阿拉伯](README.ar.md) | [德文](README.de.md) | [日本人](README.ja.md) | [西班牙語](README.es.md) | 8 | 9 | ## 特徵 10 | 11 | - ✨ 無限聊天框:擺脫字元限制(4000 -> ∞)。表達無界限! 12 | 13 | - ⚠️ Copilot 後端程式碼設定的實際限制約為 23,870 個字元(大約)。 14 | 15 | - 🔍 支援 Bing Chat 和 Copilot。透過智慧搜尋和協作編碼擴大您的工作流程。 16 | 17 | - 📱 Android 授權:隨時隨地進行對話! Copilot Chat Pro™ 現已在 Android 上推出,確保您隨時隨地保持聯繫。 18 | 19 | ## 截圖 20 | 21 | ![Screenshot 1](https://user-images.githubusercontent.com/69091361/297644441-b17ea2d1-94c4-4543-92fd-d094bb8187c6.png) 22 | 23 | _副駕駛_ 24 | 25 | ![Screenshot 2](https://user-images.githubusercontent.com/69091361/297644588-1b3c7295-c6b2-46f9-9999-a99c95aad580.png) 26 | 27 | _必應聊天_ 28 | 29 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/765cde2d-514f-449f-b88b-5cbef013560a) 30 | 31 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/fd7288a6-d153-4c45-ba7a-32662374b4a3) 32 | 33 | ![image](https://github.com/qzxtu/Copilot-Chat-Pro/assets/69091361/56b8c6a1-19c4-440b-9467-64b6c45013bf) 34 | 35 | ## 安裝 36 | 37 | **對於桌面:** 38 | 39 | 1. 前往[發布頁面](https://github.com/qzxtu/Copilot-Chat-Pro/releases)並下載最新版本。 40 | 2. 解壓縮下載的 zip 檔案。 41 | 3. 打開瀏覽器並導航至: 42 | - **鉻合金:**`chrome://extensions/` 43 | - **邊緣:**`edge://extensions/` 44 | 4. 啟用右上角的「開發者模式」。 45 | 5. 點擊「載入已解壓縮的檔案」並選擇步驟 2 中解壓縮的資料夾。 46 | 47 | **對於安卓:** 48 | 49 | 1. 下載適用於 Android 的 Copilot Chat Pro™,從[發布頁面](https://github.com/qzxtu/Copilot-Chat-Pro/releases). 50 | 2. 請按照螢幕上的指示安裝應用程式。 51 | 52 | ## 用法 53 | 54 | 1. 開啟 Bing 或 Copilot 網站。 55 | 2. 聊天時無需擔心字元限制。 56 | 3. 好好享受! 57 | 58 | ⚠️ 此擴充不適用於邊緣副駕駛側按鈕,也不適用於整合在 Windows 中的副駕駛。 59 | 60 | ## 致謝 61 | 62 | 該項目是出於更新以下項目的需要而創建的:[必應聊天專業版](https://github.com/blueagler/Bing-Chat-Pro)。後者為 Copilot Chat Pro™ 的開發提供了靈感。 63 | 64 | 特別感謝 Bing Chat Pro 的原創者,[布勞艾格勒](https://github.com/blueagler),以表彰他們對社區的貢獻。 65 | 66 | ## 問題 67 | 68 | 如果您遇到任何問題或有建議,請[打開一個問題](https://github.com/qzxtu/copilot-chat-pro/issues). 69 | 70 | ## 執照 71 | 72 | 此專案根據 Apache 2.0 許可證獲得許可 - 請參閱[執照](LICENSE)文件以獲取詳細資訊。 73 | 74 | ## 貢獻 75 | 76 | 歡迎貢獻!請分叉儲存庫並使用您的變更建立拉取請求。 77 | 78 | ## 支援 79 | 80 | [![PayPal](https://img.shields.io/badge/PayPal-00457C?style=for-the-badge&logo=paypal&logoColor=white)](https://paypal.me/nova355killer) 81 | [![Ko-Fi](https://img.shields.io/badge/kofi-00457C?style=for-the-badge&logo=ko-fi&logoColor=white)](https://ko-fi.com/nova355) 82 | -------------------------------------------------------------------------------- /logo128x128.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/fl2on/Copilot-Chat-Pro/54f773ae6dd8c75bf99e78754706986b1b4b8e3e/logo128x128.png -------------------------------------------------------------------------------- /logo16x16.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/fl2on/Copilot-Chat-Pro/54f773ae6dd8c75bf99e78754706986b1b4b8e3e/logo16x16.png -------------------------------------------------------------------------------- /logo48x48.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/fl2on/Copilot-Chat-Pro/54f773ae6dd8c75bf99e78754706986b1b4b8e3e/logo48x48.png -------------------------------------------------------------------------------- /manifest.json: -------------------------------------------------------------------------------- 1 | { 2 | "name":"Copilot Chat Pro™", 3 | "version":"0.0.3", 4 | "manifest_version":3, 5 | "description":"Unlimited characters in chatbox. (4000 -> ∞)", 6 | "icons":{ 7 | "16":"logo16x16.png", 8 | "48":"logo48x48.png", 9 | "128":"logo128x128.png" 10 | }, 11 | "permissions":[], 12 | "content_scripts": [ 13 | { 14 | "matches": [ 15 | "*://www.bing.com/*", 16 | "https://copilot.microsoft.com/*" 17 | ], 18 | "js": ["unlimited.js"], 19 | "css": [] 20 | } 21 | ], 22 | "host_permissions": ["https://*/*"], 23 | "action":{ 24 | "default_popup":"popup.html" 25 | }, 26 | "author":"Fl2on", 27 | "homepage_url":"https://github.com/fl2on" 28 | } 29 | -------------------------------------------------------------------------------- /popup.html: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | 6 | 7 | Copilot Chat Pro™ 8 | 9 | 10 | 70 | 71 | 72 | 73 | 82 | 83 | 84 | 85 | -------------------------------------------------------------------------------- /popup.js: -------------------------------------------------------------------------------- 1 | document.addEventListener("DOMContentLoaded", function () { 2 | var currentYear = new Date().getFullYear(); 3 | var copyrightElement = document.createElement("p"); 4 | copyrightElement.textContent = "Copyright © " + currentYear + " fl2on"; 5 | document.querySelector(".popup").appendChild(copyrightElement); 6 | }); 7 | -------------------------------------------------------------------------------- /unlimited.js: -------------------------------------------------------------------------------- 1 | (() => { 2 | async function removeCharLimit() { 3 | try { 4 | const searchInput = document.querySelector("#sb_form_q"); 5 | if (searchInput) searchInput.removeAttribute("maxlength"); 6 | 7 | const serp = document.querySelector("#b_sydConvCont > cib-serp"); 8 | if (!serp) throw new Error("Elemento cib-serp no encontrado."); 9 | 10 | const actionBarMain = serp.shadowRoot.querySelector("#cib-action-bar-main"); 11 | if (!actionBarMain) throw new Error("Elemento cib-action-bar-main no encontrado."); 12 | 13 | const textInput = actionBarMain.shadowRoot.querySelector("div > div.main-container > div > div.input-row > cib-text-input"); 14 | if (!textInput) throw new Error("Elemento cib-text-input no encontrado."); 15 | 16 | const textarea = textInput.shadowRoot.querySelector("#searchbox"); 17 | if (textarea) { 18 | textarea.removeAttribute("maxlength"); 19 | textarea.setAttribute("aria-description", "∞"); 20 | } else { 21 | throw new Error("Textarea con atributo 'maxlength' no encontrado."); 22 | } 23 | 24 | const letterCounter = actionBarMain.shadowRoot.querySelector("div > div.main-container > div > div.bottom-controls > div.bottom-right-controls > div.letter-counter"); 25 | if (letterCounter) letterCounter.textContent = "∞"; 26 | 27 | } catch (error) { 28 | console.error("Error:", error.message); 29 | } 30 | } 31 | 32 | const initializeExtension = () => removeCharLimit(); 33 | 34 | setInterval(initializeExtension, 3000); 35 | window.addEventListener("load", initializeExtension); 36 | window.addEventListener("popstate", initializeExtension); 37 | })(); --------------------------------------------------------------------------------