/++ A web view wrapper. Uses CEF on Linux and WebView2 on Windows. Microsoft WebView2 is fairly stable and is unlikely to break, but CEF is not remotely stable and likely to break every release. You'll have to get the same version as me to use this unless you want to generate your own bindings (procedure found in the file comments). Details below. I currently built against the version listed below and it uses UTF-16 strings. November 2023-present: cef_binary_119.3.1+gf768881+chromium-119.0.6045.124_linux64_minimal.tar.bz2 November 2022: cef_binary_107.1.9+g1f0a21a+chromium-107.0.5304.110_linux64_minimal.tar.bz2 November 2021: 95.7.17+g4208276+chromium-95.0.4638.69 Note my ceftranslate.d for instructions to start the update process. Then to install the cef put in the Resources in the Release directory (*.pak and *.dat out of Resources, failure to do this will cause an abort on ICU file descriptor things) and copy the locales to /opt/cef/Resources/Locales You can download compatible builds from https://cef-builds.spotifycdn.com/index.html just make sure to put in the version filter and check "all builds" to match it. You do NOT actually need the cef to build the application, but it must be on the user's machine to run it. It looks in /opt/cef/ on Linux. Work in progress. DO NOT USE YET as I am prolly gonna break everything too. On Windows, you need to distribute the WebView2Loader.dll with your exe. That is found in the web view 2 sdk. Furthermore, users will have to install the runtime. Please note; the Microsoft terms and conditions say they may be able to collect information about your users if you use this on Windows. see: https://developer.microsoft.com/en-us/microsoft-edge/webview2/ +/ module arsd.webview; enum WebviewEngine { none, cef, wv2, webkit_gtk } // see activeEngine which is an enum you can static if on // I might recover this gtk thing but i don't like gtk // dmdi webview -version=linux_gtk -version=Demo // the setup link for Microsoft: // https://go.microsoft.com/fwlink/p/?LinkId=2124703 version(Windows) { import arsd.simpledisplay; import arsd.com; import core.atomic; //import std.stdio; private template InvokerArgFor(T, Context) { alias invoker = typeof(&T.init.Invoke); static if(is(invoker fntype == delegate)) { static if(is(fntype Params == __parameters)) alias InvokerArgFor = HRESULT function(Params, Context); else static assert(0); } } T callback(T, Context)(InvokerArgFor!(T, Context) dg, Context ctx) { return new class(dg, ctx) T { extern(Windows): static if(is(typeof(T.init.Invoke) R == return)) static if(is(typeof(T.init.Invoke) P == __parameters)) override R Invoke(P _args_) { return dgMember(_args_, ctxMember); } InvokerArgFor!(T, Context) dgMember; Context ctxMember; this(typeof(dgMember) dg_, Context ctx_) { this.dgMember = dg_; this.ctxMember = ctx_; AddRef(); } override HRESULT QueryInterface(const (IID)*riid, LPVOID *ppv) { if (IID_IUnknown == *riid) { *ppv = cast(void*) cast(IUnknown) this; } else if (T.iid == *riid) { *ppv = cast(void*) cast(T) this; } else { *ppv = null; return E_NOINTERFACE; } AddRef(); return NOERROR; } shared LONG count = 0; ULONG AddRef() { auto cnt = atomicOp!"+="(count, 1); if(cnt == 1) { import core.memory; GC.addRoot(cast(void*) this); } return cnt; } ULONG Release() { auto cnt = atomicOp!"-="(count, 1); if(cnt == 0) { import core.memory; GC.removeRoot(cast(void*) this); } return cnt; } }; } enum activeEngine = WebviewEngine.wv2; struct RC(T) { private T object; this(T t, bool addRef = true) { object = t; if(addRef && object) object.AddRef(); } this(this) { if(object is null) return; object.AddRef(); } ~this() { if(object is null) return; object.Release(); object = null; } RC!I queryInterface(I)() { I i; auto err = object.QueryInterface(&I.iid, cast(void**) &i); if(err != S_OK) return RC!I(null, false); else return RC!I(i, false); // QueryInterface already calls AddRef } bool opCast(T:bool)() nothrow { return object !is null; } void opAssign(T obj) { obj.AddRef(); if(object) object.Release(); this.object = obj; } T raw() { return object; } T returnable() { if(object is null) return null; return object; } T passable() { if(object is null) return null; object.AddRef(); return object; } static foreach(memberName; __traits(allMembers /*derivedMembers*/, T)) { mixin ForwardMethod!(memberName); } } /+ // does NOT add ref, use after you queryInterface RC!T makeRcd(T)(T t) { return RC!T(t, false); } +/ extern(Windows) alias StringMethod = int delegate(wchar**); string toGC(scope StringMethod dg) { wchar* t; auto res = dg(&t); if(res != S_OK) throw new ComException(res); auto ot = t; string s; while(*t) { import std.utf; char[4] buffer; wchar item = *t; t++; if(item >= 0xD800 && item <= 0xDFFF) { wchar second = *t; t++; wchar low, high; if(item >= 0xD800 && item <= 0xDBFF) { high = item; low = second; } else { high = second; low = item; } if( high >= 0xD800 && high <= 0xDBFF && low >= 0xDC00 && low <= 0xDCFF ) { dchar d = (high - 0xD800) * 0x400 + (low - 0xDC00) + 0x10000; s ~= buffer[0 .. encode(buffer, d)]; } else { // we could probably throw something tbh } } else { s ~= buffer[0 .. encode(buffer, item)]; } } auto ret = s; CoTaskMemFree(ot); return ret; } class ComException : Exception { HRESULT errorCode; this(HRESULT errorCode) { import std.format; super(format("HRESULT: 0x%08x", errorCode)); // FIXME: call FormatMessage } } mixin template ForwardMethod(string methodName) { static if(methodName.length > 4 && methodName[0 .. 4] == "put_") { static if(is(typeof(__traits(getMember, T, memberName)) Params == function)) private alias Type = Params[0]; mixin(q{ @property void } ~ memberName[4 .. $] ~ q{(Type v) { auto errorCode = __traits(getMember, object, memberName)(v); if(errorCode) throw new ComException(errorCode); } }); } else static if(methodName.length > 4 && methodName[0 .. 4] == "get_") { static if(is(typeof(__traits(getMember, T, memberName)) Params == function)) private alias Type = typeof(*(Params[0].init)); mixin(q{ @property Type } ~ memberName[4 .. $] ~ q{() { Type response; auto errorCode = __traits(getMember, object, memberName)(&response); if(errorCode) throw new ComException(errorCode); return response; } }); } else static if(methodName.length > 4 && methodName[0 .. 4] == "add_") { static if(is(typeof(__traits(getMember, T, memberName)) Params == function)) alias Handler = Params[0]; mixin(q{ EventRegistrationToken } ~ memberName ~ q{ (Context)(InvokerArgFor!(Handler, Context) handler, Context ctx) { EventRegistrationToken token; __traits(getMember, object, memberName)(callback!(Handler, Context)(handler, ctx), &token); return token; }}); } else static if(methodName.length > 7 && methodName[0 .. 4] == "remove_") { mixin(q{ void } ~ memberName ~ q{ (EventRegistrationToken token) { __traits(getMember, object, memberName)(token); }}); } else { // I could do the return value things by looking for these comments: // /+[out]+/ but be warned it is possible or a thing to have multiple out params (only one such function in here though i think) // /+[out, retval]+/ // a find/replace could make them a UDA or something. static if(is(typeof(__traits(getMember, T, memberName)) Params == function)) static if(is(typeof(__traits(getMember, T, memberName)) Return == return)) mixin(q{ Return } ~ memberName ~ q{ (Params p) { // FIXME: check the return value and throw return __traits(getMember, object, memberName)(p); } }); } } struct Wv2App { static bool active = false; static HRESULT code; static bool initialized = false; static RC!ICoreWebView2Environment webview_env; @disable this(this); static void delegate(RC!ICoreWebView2Environment)[] pending; this(void delegate(RC!ICoreWebView2Environment) withEnvironment) { if(withEnvironment) pending ~= withEnvironment; import core.sys.windows.com; CoInitializeEx(null, COINIT_APARTMENTTHREADED); active = true; auto lib = LoadLibraryW("WebView2Loader.dll"w.ptr); typeof(&CreateCoreWebView2EnvironmentWithOptions) func; if(lib is null) throw new Exception("WebView2Loader.dll unable to load. The developer should bundle this with the application exe. It is found with the WebView2 SDK from nuget."); func = cast(typeof(func)) GetProcAddress(lib, CreateCoreWebView2EnvironmentWithOptions.mangleof); if(func is null) throw new Exception("CreateCoreWebView2EnvironmentWithOptions failed from WebView2Loader..."); auto result = func(null, null, null, callback!(ICoreWebView2CreateCoreWebView2EnvironmentCompletedHandler, Wv2App*)( function(error, env, this_) { this_.initialized = true; this_.code = error; if(error) return error; this_.webview_env = env; auto len = pending.length; foreach(item; this_.pending) { item(this_.webview_env); } this_.pending = this_.pending[len .. $]; return S_OK; } , &this) ); if(result != S_OK) { if(MessageBox(null, "The WebView2 runtime is not installed. Would you like to install it now? This will open a browser to download a file. After it installs, you can try running this program again.", "Missing file", MB_YESNO) == IDYES) { import std.process; browse("https://go.microsoft.com/fwlink/p/?LinkId=2124703"); } throw new ComException(result); } } @disable this(); ~this() { active = false; } static void useEnvironment(void delegate(RC!ICoreWebView2Environment) withEnvironment) { assert(active); assert(withEnvironment !is null); if(initialized) { if(code) throw new ComException(code); withEnvironment(webview_env); } else pending ~= withEnvironment; } } } /+ interface WebView { void refresh(); void back(); void forward(); void stop(); void navigate(string url); // the url and line are for error reporting purposes void executeJavascript(string code, string url = null, int line = 0); void showDevTools(); // these are get/set properties that you can subscribe to with some system mixin Observable!(string, "title"); mixin Observable!(string, "url"); mixin Observable!(string, "status"); mixin Observable!(int, "loadingProgress"); } +/ version(linux) { version(linux_gtk) {} else version=cef; } version(cef) { import arsd.simpledisplay; //pragma(lib, "cef"); class BrowserProcessHandler : CEF!cef_browser_process_handler_t { override void on_context_initialized() { } override void on_before_child_process_launch(RC!cef_command_line_t) { } override void on_schedule_message_pump_work(long delayMs) { } override cef_client_t* get_default_client() { return null; } override void on_register_custom_preferences(cef_preferences_type_t, cef_preference_registrar_t*) {} } int cefProcessHelper() { import core.runtime; import core.stdc.stdlib; cef_main_args_t main_args; version(linux) { main_args.argc = Runtime.cArgs.argc; main_args.argv = Runtime.cArgs.argv; } else version(Windows) { main_args.instance = GetModuleHandle(null); } if(libcef.loadDynamicLibrary()) { int code = libcef.execute_process(&main_args, null, null); if(code >= 0) exit(code); return code; } return -1; } shared static this() { cefProcessHelper(); } public struct CefApp { static bool active() { return count > 0; } private __gshared int count = 0; @disable this(this); @disable new(); this(void delegate(cef_settings_t* settings) setSettings) { if(!libcef.loadDynamicLibrary()) throw new Exception("failed to load cef dll"); count++; import core.runtime; import core.stdc.stdlib; cef_main_args_t main_args; version(linux) { main_args.argc = Runtime.cArgs.argc; main_args.argv = Runtime.cArgs.argv; } else version(Windows) { main_args.instance = GetModuleHandle(null); } cef_settings_t settings; settings.size = cef_settings_t.sizeof; //settings.log_severity = cef_log_severity_t.LOGSEVERITY_DISABLE; // Show only warnings/errors settings.log_severity = cef_log_severity_t.LOGSEVERITY_INFO; // Show only warnings/errors settings.multi_threaded_message_loop = 1; settings.no_sandbox = 1; version(linux) settings.locales_dir_path = cef_string_t("/opt/cef/Resources/locales"); if(setSettings !is null) setSettings(&settings); auto app = new class CEF!cef_app_t { BrowserProcessHandler bph; this() { bph = new BrowserProcessHandler(); } override void on_before_command_line_processing(const(cef_string_t)*, RC!cef_command_line_t) {} override cef_resource_bundle_handler_t* get_resource_bundle_handler() { return null; } override cef_browser_process_handler_t* get_browser_process_handler() { return bph.returnable; } override cef_render_process_handler_t* get_render_process_handler() { return null; } override void on_register_custom_schemes(cef_scheme_registrar_t*) { } }; if(!libcef.initialize(&main_args, &settings, app.passable, null)) { throw new Exception("cef_initialize failed"); } } ~this() { count--; // this call hangs and idk why. // FIXME //libcef.shutdown(); } } version(Demo) void main() { auto app = CefApp(null); auto window = new SimpleWindow(640, 480, "D Browser", Resizability.allowResizing); flushGui; cef_window_info_t window_info; /* window_info.x = 100; window_info.y = 100; window_info.width = 300; window_info.height = 300; */ //window_info.parent_window = window.nativeWindowHandle; cef_string_t cef_url = cef_string_t("http://dpldocs.info/");//"http://youtube.com/"w); //string url = "http://arsdnet.net/"; //cef_string_utf8_to_utf16(url.ptr, url.length, &cef_url); cef_browser_settings_t browser_settings; browser_settings.size = cef_browser_settings_t.sizeof; auto client = new MyCefClient(); auto got = libcef.browser_host_create_browser(&window_info, client.passable, &cef_url, &browser_settings, null, null); // or _sync window.eventLoop(0); } /++ This gives access to the CEF functions. If you get a linker error for using an undefined function, it is probably because you did NOT go through this when dynamically loading. (...similarly, if you get a segfault, it is probably because you DID go through this when static binding.) +/ struct libcef { static __gshared: bool isLoaded; bool loadAttempted; void* libHandle; /// Make sure you call this only from one thread, probably at process startup. It caches internally and returns true if the load was successful. bool loadDynamicLibrary() { if(loadAttempted) return isLoaded; loadAttempted = true; version(linux) { import core.sys.posix.dlfcn; libHandle = dlopen("libcef.so", RTLD_NOW); static void* loadsym(const char* name) { return dlsym(libHandle, name); } } else version(Windows) { import core.sys.windows.windows; libHandle = LoadLibrary("libcef.dll"); static void* loadsym(const char* name) { return GetProcAddress(libHandle, name); } } //import std.stdio; if(libHandle is null) { // import std.stdio; writeln("libhandle null"); import core.stdc.stdio; printf("%s\n", dlerror()); // import core.stdc.errno; writeln(errno); return false; } foreach(memberName; __traits(allMembers, libcef)[4 .. $]) { // cutting off everything until the actual static foreach below; this trims off isLoaded to loadDynamicLibrary alias mem = __traits(getMember, libcef, memberName); mem = cast(typeof(mem)) loadsym("cef_" ~ memberName); if(mem is null) { // import std.stdio; writeln(memberName); throw new Exception("cef_" ~ memberName ~ " failed to load"); return false; } } import core.stdc.string; if(strcmp(libcef.api_hash(1), CEF_API_HASH_UNIVERSAL) != 0) throw new Exception("libcef versions not matching bindings"); isLoaded = true; return true; } static foreach(memberName; __traits(allMembers, arsd.webview)) static if(is(typeof(__traits(getMember, arsd.webview, memberName)) == function)) static if(memberName.length > 4 && memberName[0 .. 4] == "cef_") { mixin(q{ typeof(&__traits(getMember, arsd.webview, memberName)) } ~ memberName[4 .. $] ~ ";"); // = &" ~ memberName ~ ";"); } } } version(linux_gtk) version(Demo) void main() { auto wv = new WebView(true, null); wv.navigate("http://dpldocs.info/"); wv.setTitle("omg a D webview"); wv.setSize(500, 500, true); wv.eval("console.log('just testing');"); wv.run(); } version(linux_gtk) enum activeEngine = WebviewEngine.webkit_gtk; /++ +/ version(linux_gtk) class WebView : browser_engine { /++ Creates a new webview instance. If dbg is non-zero - developer tools will be enabled (if the platform supports them). Window parameter can be a pointer to the native window handle. If it's non-null - then child WebView is embedded into the given parent window. Otherwise a new window is created. Depending on the platform, a GtkWindow, NSWindow or HWND pointer can be passed here. +/ this(bool dbg, void* window) { super(&on_message, dbg, window); } extern(C) static void on_message(const char*) {} /// Destroys a webview and closes the native window. void destroy() { } /// Runs the main loop until it's terminated. After this function exits - you /// must destroy the webview. override void run() { super.run(); } /// Stops the main loop. It is safe to call this function from another other /// background thread. override void terminate() { super.terminate(); } /+ /// Posts a function to be executed on the main thread. You normally do not need /// to call this function, unless you want to tweak the native window. void dispatch(void function(WebView w, void *arg) fn, void *arg) {} +/ /// Returns a native window handle pointer. When using GTK backend the pointer /// is GtkWindow pointer, when using Cocoa backend the pointer is NSWindow /// pointer, when using Win32 backend the pointer is HWND pointer. void* getWindow() { return m_window; } /// Updates the title of the native window. Must be called from the UI thread. override void setTitle(const char *title) { super.setTitle(title); } /// Navigates webview to the given URL. URL may be a data URI. override void navigate(const char *url) { super.navigate(url); } /// Injects JavaScript code at the initialization of the new page. Every time /// the webview will open a the new page - this initialization code will be /// executed. It is guaranteed that code is executed before window.onload. override void init(const char *js) { super.init(js); } /// Evaluates arbitrary JavaScript code. Evaluation happens asynchronously, also /// the result of the expression is ignored. Use RPC bindings if you want to /// receive notifications about the results of the evaluation. override void eval(const char *js) { super.eval(js); } /// Binds a native C callback so that it will appear under the given name as a /// global JavaScript function. Internally it uses webview_init(). Callback /// receives a request string and a user-provided argument pointer. Request /// string is a JSON array of all the arguments passed to the JavaScript /// function. void bind(const char *name, void function(const char *, void *) fn, void *arg) {} /// Allows to return a value from the native binding. Original request pointer /// must be provided to help internal RPC engine match requests with responses. /// If status is zero - result is expected to be a valid JSON result value. /// If status is not zero - result is an error JSON object. void webview_return(const char *req, int status, const char *result) {} /* void on_message(const char *msg) { auto seq = json_parse(msg, "seq", 0); auto name = json_parse(msg, "name", 0); auto args = json_parse(msg, "args", 0); auto fn = bindings[name]; if (fn == null) { return; } std::async(std::launch::async, [=]() { auto result = (*fn)(args); dispatch([=]() { eval(("var b = window['" + name + "'];b['callbacks'][" + seq + "](" + result + ");b['callbacks'][" + seq + "] = undefined;b['errors'][" + seq + "] = undefined;") .c_str()); }); }); } std::map bindings; alias binding_t = std::function; void bind(const char *name, binding_t f) { auto js = "(function() { var name = '" + std::string(name) + "';" + R"( window[name] = function() { var me = window[name]; var errors = me['errors']; var callbacks = me['callbacks']; if (!callbacks) { callbacks = {}; me['callbacks'] = callbacks; } if (!errors) { errors = {}; me['errors'] = errors; } var seq = (me['lastSeq'] || 0) + 1; me['lastSeq'] = seq; var promise = new Promise(function(resolve, reject) { callbacks[seq] = resolve; errors[seq] = reject; }); window.external.invoke(JSON.stringify({ name: name, seq:seq, args: Array.prototype.slice.call(arguments), })); return promise; } })())"; init(js.c_str()); bindings[name] = new binding_t(f); } */ } private extern(C) { alias dispatch_fn_t = void function(); alias msg_cb_t = void function(const char *msg); } version(linux_gtk) { /* Original https://github.com/zserge/webview notice below: * MIT License * * Copyright (c) 2017 Serge Zaitsev * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal * in the Software without restriction, including without limitation the rights * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell * copies of the Software, and to permit persons to whom the Software is * furnished to do so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included in * all copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE * SOFTWARE. */ /* Port to D by Adam D. Ruppe, November 30, 2019 */ pragma(lib, "gtk-3"); pragma(lib, "glib-2.0"); pragma(lib, "gobject-2.0"); pragma(lib, "webkit2gtk-4.0"); pragma(lib, "javascriptcoregtk-4.0"); private extern(C) { import core.stdc.config; alias GtkWidget = void; enum GtkWindowType { GTK_WINDOW_TOPLEVEL = 0 } bool gtk_init_check(int*, char***); GtkWidget* gtk_window_new(GtkWindowType); c_ulong g_signal_connect_data(void*, const char*, void* /* function pointer!!! */, void*, void*, int); GtkWidget* webkit_web_view_new(); alias WebKitUserContentManager = void; WebKitUserContentManager* webkit_web_view_get_user_content_manager(GtkWidget*); void gtk_container_add(GtkWidget*, GtkWidget*); void gtk_widget_grab_focus(GtkWidget*); void gtk_widget_show_all(GtkWidget*); void gtk_main(); void gtk_main_quit(); void webkit_web_view_load_uri(GtkWidget*, const char*); alias WebKitSettings = void; WebKitSettings* webkit_web_view_get_settings(GtkWidget*); void webkit_settings_set_enable_write_console_messages_to_stdout(WebKitSettings*, bool); void webkit_settings_set_enable_developer_extras(WebKitSettings*, bool); void webkit_user_content_manager_register_script_message_handler(WebKitUserContentManager*, const char*); alias JSCValue = void; alias WebKitJavascriptResult = void; JSCValue* webkit_javascript_result_get_js_value(WebKitJavascriptResult*); char* jsc_value_to_string(JSCValue*); void g_free(void*); void webkit_web_view_run_javascript(GtkWidget*, const char*, void*, void*, void*); alias WebKitUserScript = void; void webkit_user_content_manager_add_script(WebKitUserContentManager*, WebKitUserScript*); WebKitUserScript* webkit_user_script_new(const char*, WebKitUserContentInjectedFrames, WebKitUserScriptInjectionTime, const char*, const char*); enum WebKitUserContentInjectedFrames { WEBKIT_USER_CONTENT_INJECT_ALL_FRAMES, WEBKIT_USER_CONTENT_INJECT_TOP_FRAME } enum WebKitUserScriptInjectionTime { WEBKIT_USER_SCRIPT_INJECT_AT_DOCUMENT_START, WEBKIT_USER_SCRIPT_INJECT_AT_DOCUMENT_END } void gtk_window_set_title(GtkWidget*, const char*); void gtk_window_set_resizable(GtkWidget*, bool); void gtk_window_set_default_size(GtkWidget*, int, int); void gtk_widget_set_size_request(GtkWidget*, int, int); } private class browser_engine { static extern(C) void ondestroy (GtkWidget *w, void* arg) { (cast(browser_engine) arg).terminate(); } static extern(C) void smr(WebKitUserContentManager* m, WebKitJavascriptResult* r, void* arg) { auto w = cast(browser_engine) arg; JSCValue *value = webkit_javascript_result_get_js_value(r); auto s = jsc_value_to_string(value); w.m_cb(s); g_free(s); } this(msg_cb_t cb, bool dbg, void* window) { m_cb = cb; gtk_init_check(null, null); m_window = cast(GtkWidget*) window; if (m_window == null) m_window = gtk_window_new(GtkWindowType.GTK_WINDOW_TOPLEVEL); g_signal_connect_data(m_window, "destroy", &ondestroy, cast(void*) this, null, 0); m_webview = webkit_web_view_new(); WebKitUserContentManager* manager = webkit_web_view_get_user_content_manager(m_webview); g_signal_connect_data(manager, "script-message-received::external", &smr, cast(void*) this, null, 0); webkit_user_content_manager_register_script_message_handler(manager, "external"); init("window.external={invoke:function(s){window.webkit.messageHandlers.external.postMessage(s);}}"); gtk_container_add(m_window, m_webview); gtk_widget_grab_focus(m_webview); if (dbg) { WebKitSettings *settings = webkit_web_view_get_settings(m_webview); webkit_settings_set_enable_write_console_messages_to_stdout(settings, true); webkit_settings_set_enable_developer_extras(settings, true); } gtk_widget_show_all(m_window); } void run() { gtk_main(); } void terminate() { gtk_main_quit(); } void navigate(const char *url) { webkit_web_view_load_uri(m_webview, url); } void setTitle(const char* title) { gtk_window_set_title(m_window, title); } /+ void dispatch(std::function f) { g_idle_add_full(G_PRIORITY_HIGH_IDLE, (GSourceFunc)([](void *f) -> int { (*static_cast(f))(); return G_SOURCE_REMOVE; }), new std::function(f), [](void *f) { delete static_cast(f); }); } +/ void setSize(int width, int height, bool resizable) { gtk_window_set_resizable(m_window, resizable); if (resizable) { gtk_window_set_default_size(m_window, width, height); } gtk_widget_set_size_request(m_window, width, height); } void init(const char *js) { WebKitUserContentManager *manager = webkit_web_view_get_user_content_manager(m_webview); webkit_user_content_manager_add_script( manager, webkit_user_script_new( js, WebKitUserContentInjectedFrames.WEBKIT_USER_CONTENT_INJECT_TOP_FRAME, WebKitUserScriptInjectionTime.WEBKIT_USER_SCRIPT_INJECT_AT_DOCUMENT_START, null, null)); } void eval(const char *js) { webkit_web_view_run_javascript(m_webview, js, null, null, null); } protected: GtkWidget* m_window; GtkWidget* m_webview; msg_cb_t m_cb; } } else version(WEBVIEW_COCOA) { /+ // // ==================================================================== // // This implementation uses Cocoa WKWebView backend on macOS. It is // written using ObjC runtime and uses WKWebView class as a browser runtime. // You should pass "-framework Webkit" flag to the compiler. // // ==================================================================== // #define OBJC_OLD_DISPATCH_PROTOTYPES 1 #include #include #define NSBackingStoreBuffered 2 #define NSWindowStyleMaskResizable 8 #define NSWindowStyleMaskMiniaturizable 4 #define NSWindowStyleMaskTitled 1 #define NSWindowStyleMaskClosable 2 #define NSApplicationActivationPolicyRegular 0 #define WKUserScriptInjectionTimeAtDocumentStart 0 id operator"" _cls(const char *s, std::size_t sz) { return (id)objc_getClass(s); } SEL operator"" _sel(const char *s, std::size_t sz) { return sel_registerName(s); } id operator"" _str(const char *s, std::size_t sz) { return objc_msgSend("NSString"_cls, "stringWithUTF8String:"_sel, s); } class browser_engine { public: browser_engine(msg_cb_t cb, bool dbg, void *window) : m_cb(cb) { // Application id app = objc_msgSend("NSApplication"_cls, "sharedApplication"_sel); objc_msgSend(app, "setActivationPolicy:"_sel, NSApplicationActivationPolicyRegular); // Delegate auto cls = objc_allocateClassPair((Class) "NSObject"_cls, "AppDelegate", 0); class_addProtocol(cls, objc_getProtocol("NSApplicationDelegate")); class_addProtocol(cls, objc_getProtocol("WKScriptMessageHandler")); class_addMethod( cls, "applicationShouldTerminateAfterLastWindowClosed:"_sel, (IMP)(+[](id self, SEL cmd, id notification) -> BOOL { return 1; }), "c@:@"); class_addMethod( cls, "userContentController:didReceiveScriptMessage:"_sel, (IMP)(+[](id self, SEL cmd, id notification, id msg) { auto w = (browser_engine *)objc_getAssociatedObject(self, "webview"); w->m_cb((const char *)objc_msgSend(objc_msgSend(msg, "body"_sel), "UTF8String"_sel)); }), "v@:@@"); objc_registerClassPair(cls); auto delegate = objc_msgSend((id)cls, "new"_sel); objc_setAssociatedObject(delegate, "webview", (id)this, OBJC_ASSOCIATION_ASSIGN); objc_msgSend(app, sel_registerName("setDelegate:"), delegate); // Main window if (window is null) { m_window = objc_msgSend("NSWindow"_cls, "alloc"_sel); m_window = objc_msgSend( m_window, "initWithContentRect:styleMask:backing:defer:"_sel, CGRectMake(0, 0, 0, 0), 0, NSBackingStoreBuffered, 0); setSize(480, 320, true); } else { m_window = (id)window; } // Webview auto config = objc_msgSend("WKWebViewConfiguration"_cls, "new"_sel); m_manager = objc_msgSend(config, "userContentController"_sel); m_webview = objc_msgSend("WKWebView"_cls, "alloc"_sel); objc_msgSend(m_webview, "initWithFrame:configuration:"_sel, CGRectMake(0, 0, 0, 0), config); objc_msgSend(m_manager, "addScriptMessageHandler:name:"_sel, delegate, "external"_str); init(R"script( window.external = { invoke: function(s) { window.webkit.messageHandlers.external.postMessage(s); }, }; )script"); if (dbg) { objc_msgSend(objc_msgSend(config, "preferences"_sel), "setValue:forKey:"_sel, 1, "developerExtrasEnabled"_str); } objc_msgSend(m_window, "setContentView:"_sel, m_webview); objc_msgSend(m_window, "makeKeyAndOrderFront:"_sel, null); } ~browser_engine() { close(); } void terminate() { close(); objc_msgSend("NSApp"_cls, "terminate:"_sel, null); } void run() { id app = objc_msgSend("NSApplication"_cls, "sharedApplication"_sel); dispatch([&]() { objc_msgSend(app, "activateIgnoringOtherApps:"_sel, 1); }); objc_msgSend(app, "run"_sel); } void dispatch(std::function f) { dispatch_async_f(dispatch_get_main_queue(), new dispatch_fn_t(f), (dispatch_function_t)([](void *arg) { auto f = static_cast(arg); (*f)(); delete f; })); } void setTitle(const char *title) { objc_msgSend( m_window, "setTitle:"_sel, objc_msgSend("NSString"_cls, "stringWithUTF8String:"_sel, title)); } void setSize(int width, int height, bool resizable) { auto style = NSWindowStyleMaskTitled | NSWindowStyleMaskClosable | NSWindowStyleMaskMiniaturizable; if (resizable) { style = style | NSWindowStyleMaskResizable; } objc_msgSend(m_window, "setStyleMask:"_sel, style); objc_msgSend(m_window, "setFrame:display:animate:"_sel, CGRectMake(0, 0, width, height), 1, 0); } void navigate(const char *url) { auto nsurl = objc_msgSend( "NSURL"_cls, "URLWithString:"_sel, objc_msgSend("NSString"_cls, "stringWithUTF8String:"_sel, url)); objc_msgSend( m_webview, "loadRequest:"_sel, objc_msgSend("NSURLRequest"_cls, "requestWithURL:"_sel, nsurl)); } void init(const char *js) { objc_msgSend( m_manager, "addUserScript:"_sel, objc_msgSend( objc_msgSend("WKUserScript"_cls, "alloc"_sel), "initWithSource:injectionTime:forMainFrameOnly:"_sel, objc_msgSend("NSString"_cls, "stringWithUTF8String:"_sel, js), WKUserScriptInjectionTimeAtDocumentStart, 1)); } void eval(const char *js) { objc_msgSend(m_webview, "evaluateJavaScript:completionHandler:"_sel, objc_msgSend("NSString"_cls, "stringWithUTF8String:"_sel, js), null); } protected: void close() { objc_msgSend(m_window, "close"_sel); } id m_window; id m_webview; id m_manager; msg_cb_t m_cb; }; +/ } version(cef) { /++ This creates a base class for a thing to help you implement the function pointers. class MyApp : CEF!cef_app_t { } +/ abstract class CEF(Base) { private struct Inner { Base c; CEF d_object; } private Inner inner; this() nothrow { if(!__ctfe) construct(); } // ONLY call this if you did a ctfe construction void construct() nothrow { assert(inner.c.base.size == 0); import core.memory; GC.addRoot(cast(void*) this); inner.c.base.size = Inner.sizeof; inner.c.base.add_ref = &c_add_ref; inner.c.base.release = &c_release; inner.c.base.has_one_ref = &c_has_one_ref; inner.c.base.has_at_least_one_ref = &c_has_at_least_one_ref; inner.d_object = this; static foreach(memberName; __traits(allMembers, Base)) { static if(is(typeof(__traits(getMember, Base, memberName)) == return)) { __traits(getMember, inner.c, memberName) = mixin("&c_" ~ memberName); } } } private static nothrow @nogc extern(System) { void c_add_ref(cef_base_ref_counted_t* self) { return ((cast(Inner*) self).d_object).add_ref(); } int c_release(cef_base_ref_counted_t* self) { return ((cast(Inner*) self).d_object).release(); } int c_has_one_ref(cef_base_ref_counted_t* self) { return ((cast(Inner*) self).d_object).has_one_ref(); } int c_has_at_least_one_ref(cef_base_ref_counted_t* self) { return ((cast(Inner*) self).d_object).has_at_least_one_ref(); } } private shared(int) refcount = 1; final void add_ref() { import core.atomic; atomicOp!"+="(refcount, 1); } final int release() { import core.atomic; auto v = atomicOp!"-="(refcount, 1); if(v == 0) { import core.memory; GC.removeRoot(cast(void*) this); return 1; } return 0; } final int has_one_ref() { return (cast() refcount) == 1; } final int has_at_least_one_ref() { return (cast() refcount) >= 1; } /// Call this to pass to CEF. It will add ref for you. final Base* passable() { assert(inner.c.base.size); add_ref(); return returnable(); } final Base* returnable() { assert(inner.c.base.size); return &inner.c; } static foreach(memberName; __traits(allMembers, Base)) { static if(is(typeof(__traits(getMember, Base, memberName)) == return)) { mixin AbstractMethod!(memberName); } else { mixin(q{final ref @property } ~ memberName ~ q{() { return __traits(getMember, inner.c, memberName); }}); } } } // you implement this in D... private mixin template AbstractMethod(string name) { alias ptr = typeof(__traits(getMember, Base, name)); static if(is(ptr Return == return)) static if(is(typeof(*ptr) Params == function)) { mixin(q{abstract nothrow Return } ~ name ~ q{(CefToD!(Params[1 .. $]) p);}); // mixin(q{abstract nothrow Return } ~ name ~ q{(Params[1 .. $] p);}); mixin(q{ private static nothrow extern(System) Return c_}~name~q{(Params p) { Base* self = p[0]; // a bit of a type check here... auto dobj = (cast(Inner*) self).d_object; // ...before this cast. //return __traits(getMember, dobj, name)(p[1 .. $]); mixin(() { string code = "return __traits(getMember, dobj, name)("; static foreach(idx; 1 .. p.length) { if(idx > 1) code ~= ", "; code ~= "cefToD(p[" ~ idx.stringof ~ "])"; } code ~= ");"; return code; }()); } }); } else static assert(0, name ~ " params"); else static assert(0, name ~ " return"); } // you call this from D... private mixin template ForwardMethod(string name) { alias ptr = typeof(__traits(getMember, Base, name)); static if(is(ptr Return == return)) static if(is(typeof(*ptr) Params == function)) { mixin(q{nothrow auto } ~ name ~ q{(Params[1 .. $] p) { Base* self = inner; // a bit of a type check here... static if(is(Return == void)) return __traits(getMember, inner, name)(self, p); else return cefToD(__traits(getMember, inner, name)(self, p)); }}); } else static assert(0, name ~ " params"); else static assert(0, name ~ " return"); } private alias AliasSeq(T...) = T; private template CefToD(T...) { static if(T.length == 0) { alias CefToD = T; } else static if(T.length == 1) { static if(is(typeof(T[0].base) == cef_base_ref_counted_t)) { alias CefToD = RC!(typeof(*T[0])); /+ static if(is(T[0] == I*, I)) { alias CefToD = CEF!(I); } else static assert(0, T[0]); +/ } else alias CefToD = T[0]; } else { alias CefToD = AliasSeq!(CefToD!(T[0]), CefToD!(T[1..$])); } } enum activeEngine = WebviewEngine.cef; struct RC(Base) { private Base* inner; this(Base* t) nothrow { inner = t; // assuming the refcount is already set here } this(this) nothrow { if(inner is null) return; inner.base.add_ref(&inner.base); } ~this() nothrow { if(inner is null) return; inner.base.release(&inner.base); inner = null; //sdpyPrintDebugString("omg release"); } bool opCast(T:bool)() nothrow { return inner !is null; } Base* getRawPointer() nothrow { return inner; } Base* passable() nothrow { if(inner is null) return inner; inner.base.add_ref(&inner.base); return inner; } static foreach(memberName; __traits(allMembers, Base)) { static if(is(typeof(__traits(getMember, Base, memberName)) == return)) { mixin ForwardMethod!(memberName); } else { mixin(q{final ref @property } ~ memberName ~ q{() { return __traits(getMember, inner, memberName); }}); } } } auto cefToD(T)(T t) { static if(is(typeof(T.base) == cef_base_ref_counted_t)) { return RC!(typeof(*T))(t); } else { return t; } } string toGC(const cef_string_utf16_t str) nothrow { if(str.str is null) return null; string s; s.reserve(str.length); try foreach(char ch; str.str[0 .. str.length]) s ~= ch; catch(Exception e) {} return s; } string toGC(const cef_string_utf16_t* str) nothrow { if(str is null) return null; return toGC(*str); } string toGCAndFree(const cef_string_userfree_t str) nothrow { if(str is null) return null; string s = toGC(str); libcef.string_userfree_utf16_free(str); //str = null; return s; } // bindings follow, first some hand-written ones for Linux, then some machine translated things. More comments about the machine translation when it comes. version(linux) struct cef_main_args_t { int argc; char** argv; } version(Windows) struct cef_main_args_t { HINSTANCE instance; } // 0 - CEF_VERSION_MAJOR // 1 - CEF_VERSION_MINOR // 2 - CEF_VERSION_PATCH // 3 - CEF_COMMIT_NUMBER // 4 - CHROME_VERSION_MAJOR // 5 - CHROME_VERSION_MINOR // 6 - CHROME_VERSION_BUILD // 7 - CHROME_VERSION_PATCH extern(C) nothrow int cef_string_utf8_to_utf16(const char* src, size_t src_len, cef_string_utf16_t* output); struct cef_string_utf8_t { char* str; size_t length; void* dtor;// void (*dtor)(char* str); } struct cef_basetime_t { long val; } struct cef_string_utf16_t { char16* str; size_t length; void* dtor; // voiod (*dtor)(char16* str); this(wstring s) nothrow { this.str = cast(char16*) s.ptr; this.length = s.length; } this(string s) nothrow { libcef.string_utf8_to_utf16(s.ptr, s.length, &this); } } alias cef_string_t = cef_string_utf16_t; alias cef_window_handle_t = NativeWindowHandle; version(Windows) alias cef_cursor_handle_t = HCURSOR; else alias cef_cursor_handle_t = XID; struct cef_time_t { int year; // Four or five digit year "2007" (1601 to 30827 on // Windows, 1970 to 2038 on 32-bit POSIX) int month; // 1-based month (values 1 = January, etc.) int day_of_week; // 0-based day of week (0 = Sunday, etc.) int day_of_month; // 1-based day of month (1-31) int hour; // Hour within the current day (0-23) int minute; // Minute within the current hour (0-59) int second; // Second within the current minute (0-59 plus leap // seconds which may take it up to 60). int millisecond; // Milliseconds within the current second (0-999) } version(linux) struct cef_window_info_t { cef_string_t window_name; uint x; uint y; uint width; uint height; cef_window_handle_t parent_window; int windowless_rendering_enabled; int shared_texture_enabled; int external_begin_frame_enabled; cef_window_handle_t window; } version(Windows) struct cef_window_info_t { DWORD ex_style; cef_string_t window_name; DWORD style; cef_rect_t bounds; cef_window_handle_t parent_window; HMENU menu; int windowless_rendering_enabled; int shared_texture_enabled; int external_begin_frame_enabled; cef_window_handle_t window; } import core.stdc.config; alias int16 = short; alias uint16 = ushort; alias int32 = int; alias uint32 = uint; alias char16 = wchar; alias int64 = long; alias uint64 = ulong; // these are supposed to just be opaque pointers but i want some type safety. this same abi wise.......... RIGHT? struct cef_string_list_t { void* r; } struct cef_string_multimap_t { void* r; } struct cef_string_map_t { void* r; } extern(C) nothrow { cef_string_list_t cef_string_list_alloc(); size_t cef_string_list_size(cef_string_list_t list); int cef_string_list_value(cef_string_list_t list, size_t index, cef_string_t* value); void cef_string_list_append(cef_string_list_t list, const cef_string_t* value); void cef_string_list_clear(cef_string_list_t list); void cef_string_list_free(cef_string_list_t list); cef_string_list_t cef_string_list_copy(cef_string_list_t list); } version(linux) { import core.sys.posix.sys.types; alias pid_t cef_platform_thread_id_t; alias OS_EVENT = XEvent; } else { import core.sys.windows.windows; alias HANDLE cef_platform_thread_id_t; alias OS_EVENT = void; } nothrow @nogc extern(C) void cef_string_userfree_utf16_free(const cef_string_userfree_utf16_t str); struct cef_string_userfree_utf16_t { cef_string_utf16_t* it; alias it this; } alias cef_string_userfree_t = cef_string_userfree_utf16_t; // ************** // cef/include/capi$ for i in *.h; do dstep -I../.. $i; done // also dstep include/cef_version.h // update the CEF_VERSION and the CEF_API_HASH_UNIVERSAL out of cef_version.h and cef_api_hash.h // then concatenate the bodies of them and delete the translated macros and `struct .*;` stuff // then I added nothrow to all function pointers with a vim macro (`/function (e%a nothrow` then just hold in @ to do the @@ repeat macro command until it was done // then select all and global replace s/_cef/cef/g // then delete the pointless aliases find with `/alias \(.*\) = \1;` and delete with 2dd. macros can do the job or just simple global replace to nothing. blank lines don't matter. // and make sure version(linux) void cef_register_widevine_cdm ( if it is there. // and extern (C) is wrong on the callbacks, they should all be extern(System) // `/function (Oextern(System)` version=embedded_cef_bindings; // everything inside these brackets are the bindings you can replace if update needed version(embedded_cef_bindings) { // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the make_version_header.py tool. // extern (C): enum CEF_VERSION = "119.3.1+gf768881+chromium-119.0.6045.124"; enum CEF_VERSION_MAJOR = 119; enum CEF_VERSION_MINOR = 3; enum CEF_VERSION_PATCH = 1; enum CEF_COMMIT_NUMBER = 2860; enum CEF_COMMIT_HASH = "f768881e641e15e42efe886babf41ed6a7fc45ca"; enum COPYRIGHT_YEAR = 2023; enum CHROME_VERSION_MAJOR = 119; enum CHROME_VERSION_MINOR = 0; enum CHROME_VERSION_BUILD = 6045; enum CHROME_VERSION_PATCH = 124; // Returns CEF version information for the libcef library. The |entry| // parameter describes which version component will be returned: // 0 - CEF_VERSION_MAJOR // 1 - CEF_VERSION_MINOR // 2 - CEF_VERSION_PATCH // 3 - CEF_COMMIT_NUMBER // 4 - CHROME_VERSION_MAJOR // 5 - CHROME_VERSION_MINOR // 6 - CHROME_VERSION_BUILD // 7 - CHROME_VERSION_PATCH /// int cef_version_info (int entry); // APSTUDIO_HIDDEN_SYMBOLS // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. extern (C): /// /// Supported content setting types. Some types are platform-specific or only /// supported with the Chrome runtime. Should be kept in sync with Chromium's /// ContentSettingsType type. /// enum cef_content_setting_types_t { // This setting governs whether cookies are enabled by the user in the /// provided context. However, it may be overridden by other settings. This /// enum should NOT be read directly to determine whether cookies are enabled; /// the client should instead rely on the CookieSettings API. CEF_CONTENT_SETTING_TYPE_COOKIES = 0, CEF_CONTENT_SETTING_TYPE_IMAGES = 1, CEF_CONTENT_SETTING_TYPE_JAVASCRIPT = 2, /// This setting governs both popups and unwanted redirects like tab-unders /// and framebusting. CEF_CONTENT_SETTING_TYPE_POPUPS = 3, CEF_CONTENT_SETTING_TYPE_GEOLOCATION = 4, CEF_CONTENT_SETTING_TYPE_NOTIFICATIONS = 5, CEF_CONTENT_SETTING_TYPE_AUTO_SELECT_CERTIFICATE = 6, CEF_CONTENT_SETTING_TYPE_MIXEDSCRIPT = 7, CEF_CONTENT_SETTING_TYPE_MEDIASTREAM_MIC = 8, CEF_CONTENT_SETTING_TYPE_MEDIASTREAM_CAMERA = 9, CEF_CONTENT_SETTING_TYPE_PROTOCOL_HANDLERS = 10, CEF_CONTENT_SETTING_TYPE_DEPRECATED_PPAPI_BROKER = 11, CEF_CONTENT_SETTING_TYPE_AUTOMATIC_DOWNLOADS = 12, /// Advanced device-specific functions on MIDI devices. MIDI-SysEx /// communications can be used for changing the MIDI device's persistent state /// such as firmware. CEF_CONTENT_SETTING_TYPE_MIDI_SYSEX = 13, CEF_CONTENT_SETTING_TYPE_SSL_CERT_DECISIONS = 14, CEF_CONTENT_SETTING_TYPE_PROTECTED_MEDIA_IDENTIFIER = 15, CEF_CONTENT_SETTING_TYPE_APP_BANNER = 16, CEF_CONTENT_SETTING_TYPE_SITE_ENGAGEMENT = 17, CEF_CONTENT_SETTING_TYPE_DURABLE_STORAGE = 18, CEF_CONTENT_SETTING_TYPE_USB_CHOOSER_DATA = 19, CEF_CONTENT_SETTING_TYPE_BLUETOOTH_GUARD = 20, CEF_CONTENT_SETTING_TYPE_BACKGROUND_SYNC = 21, CEF_CONTENT_SETTING_TYPE_AUTOPLAY = 22, CEF_CONTENT_SETTING_TYPE_IMPORTANT_SITE_INFO = 23, CEF_CONTENT_SETTING_TYPE_PERMISSION_AUTOBLOCKER_DATA = 24, CEF_CONTENT_SETTING_TYPE_ADS = 25, /// Website setting which stores metadata for the subresource filter to aid in /// decisions for whether or not to show the UI. CEF_CONTENT_SETTING_TYPE_ADS_DATA = 26, /// MIDI stands for Musical Instrument Digital Interface. It is a standard /// that allows electronic musical instruments, computers, and other devices /// to communicate with each other. CEF_CONTENT_SETTING_TYPE_MIDI = 27, /// This content setting type is for caching password protection service's /// verdicts of each origin. CEF_CONTENT_SETTING_TYPE_PASSWORD_PROTECTION = 28, /// Website setting which stores engagement data for media related to a /// specific origin. CEF_CONTENT_SETTING_TYPE_MEDIA_ENGAGEMENT = 29, /// Content setting which stores whether or not the site can play audible /// sound. This will not block playback but instead the user will not hear it. CEF_CONTENT_SETTING_TYPE_SOUND = 30, /// Website setting which stores the list of client hints that the origin /// requested the browser to remember. The browser is expected to send all /// client hints in the HTTP request headers for every resource requested /// from that origin. CEF_CONTENT_SETTING_TYPE_CLIENT_HINTS = 31, /// Generic Sensor API covering ambient-light-sensor, accelerometer, gyroscope /// and magnetometer are all mapped to a single content_settings_type. /// Setting for the Generic Sensor API covering ambient-light-sensor, /// accelerometer, gyroscope and magnetometer. These are all mapped to a /// single ContentSettingsType. CEF_CONTENT_SETTING_TYPE_SENSORS = 32, /// Content setting which stores whether or not the user has granted the site /// permission to respond to accessibility events, which can be used to /// provide a custom accessibility experience. Requires explicit user consent /// because some users may not want sites to know they're using assistive /// technology. CEF_CONTENT_SETTING_TYPE_ACCESSIBILITY_EVENTS = 33, /// Used to store whether to allow a website to install a payment handler. CEF_CONTENT_SETTING_TYPE_PAYMENT_HANDLER = 34, /// Content setting which stores whether to allow sites to ask for permission /// to access USB devices. If this is allowed specific device permissions are /// stored under USB_CHOOSER_DATA. CEF_CONTENT_SETTING_TYPE_USB_GUARD = 35, /// Nothing is stored in this setting at present. Please refer to /// BackgroundFetchPermissionContext for details on how this permission /// is ascertained. CEF_CONTENT_SETTING_TYPE_BACKGROUND_FETCH = 36, /// Website setting which stores the amount of times the user has dismissed /// intent picker UI without explicitly choosing an option. CEF_CONTENT_SETTING_TYPE_INTENT_PICKER_DISPLAY = 37, /// Used to store whether to allow a website to detect user active/idle state. CEF_CONTENT_SETTING_TYPE_IDLE_DETECTION = 38, /// Content settings for access to serial ports. The "guard" content setting /// stores whether to allow sites to ask for permission to access a port. The /// permissions granted to access particular ports are stored in the "chooser /// data" website setting. CEF_CONTENT_SETTING_TYPE_SERIAL_GUARD = 39, CEF_CONTENT_SETTING_TYPE_SERIAL_CHOOSER_DATA = 40, /// Nothing is stored in this setting at present. Please refer to /// PeriodicBackgroundSyncPermissionContext for details on how this permission /// is ascertained. /// This content setting is not registered because it does not require access /// to any existing providers. CEF_CONTENT_SETTING_TYPE_PERIODIC_BACKGROUND_SYNC = 41, /// Content setting which stores whether to allow sites to ask for permission /// to do Bluetooth scanning. CEF_CONTENT_SETTING_TYPE_BLUETOOTH_SCANNING = 42, /// Content settings for access to HID devices. The "guard" content setting /// stores whether to allow sites to ask for permission to access a device. /// The permissions granted to access particular devices are stored in the /// "chooser data" website setting. CEF_CONTENT_SETTING_TYPE_HID_GUARD = 43, CEF_CONTENT_SETTING_TYPE_HID_CHOOSER_DATA = 44, /// Wake Lock API, which has two lock types: screen and system locks. /// Currently, screen locks do not need any additional permission, and system /// locks are always denied while the right UI is worked out. CEF_CONTENT_SETTING_TYPE_WAKE_LOCK_SCREEN = 45, CEF_CONTENT_SETTING_TYPE_WAKE_LOCK_SYSTEM = 46, /// Legacy SameSite cookie behavior. This disables SameSite=Lax-by-default, /// SameSite=None requires Secure, and Schemeful Same-Site, forcing the /// legacy behavior wherein 1) cookies that don't specify SameSite are treated /// as SameSite=None, 2) SameSite=None cookies are not required to be Secure, /// and 3) schemeful same-site is not active. /// /// This will also be used to revert to legacy behavior when future changes /// in cookie handling are introduced. CEF_CONTENT_SETTING_TYPE_LEGACY_COOKIE_ACCESS = 47, /// Content settings which stores whether to allow sites to ask for permission /// to save changes to an original file selected by the user through the /// File System Access API. CEF_CONTENT_SETTING_TYPE_FILE_SYSTEM_WRITE_GUARD = 48, /// Used to store whether to allow a website to exchange data with NFC /// devices. CEF_CONTENT_SETTING_TYPE_NFC = 49, /// Website setting to store permissions granted to access particular /// Bluetooth devices. CEF_CONTENT_SETTING_TYPE_BLUETOOTH_CHOOSER_DATA = 50, /// Full access to the system clipboard (sanitized read without user gesture, /// and unsanitized read and write with user gesture). CEF_CONTENT_SETTING_TYPE_CLIPBOARD_READ_WRITE = 51, /// This is special-cased in the permissions layer to always allow, and as /// such doesn't have associated prefs data. CEF_CONTENT_SETTING_TYPE_CLIPBOARD_SANITIZED_WRITE = 52, /// This content setting type is for caching safe browsing real time url /// check's verdicts of each origin. CEF_CONTENT_SETTING_TYPE_SAFE_BROWSING_URL_CHECK_DATA = 53, /// Used to store whether a site is allowed to request AR or VR sessions with /// the WebXr Device API. CEF_CONTENT_SETTING_TYPE_VR = 54, CEF_CONTENT_SETTING_TYPE_AR = 55, /// Content setting which stores whether to allow site to open and read files /// and directories selected through the File System Access API. CEF_CONTENT_SETTING_TYPE_FILE_SYSTEM_READ_GUARD = 56, /// Access to first party storage in a third-party context. Exceptions are /// scoped to the combination of requesting/top-level origin, and are managed /// through the Storage Access API. For the time being, this content setting /// exists in parallel to third-party cookie rules stored in COOKIES. CEF_CONTENT_SETTING_TYPE_STORAGE_ACCESS = 57, /// Content setting which stores whether to allow a site to control camera /// movements. It does not give access to camera. CEF_CONTENT_SETTING_TYPE_CAMERA_PAN_TILT_ZOOM = 58, /// Content setting for Screen Enumeration and Screen Detail functionality. /// Permits access to detailed multi-screen information, like size and /// position. Permits placing fullscreen and windowed content on specific /// screens. See also: https://w3c.github.io/window-placement CEF_CONTENT_SETTING_TYPE_WINDOW_MANAGEMENT = 59, /// Stores whether to allow insecure websites to make private network /// requests. /// See also: https://wicg.github.io/cors-rfc1918 /// Set through enterprise policies only. CEF_CONTENT_SETTING_TYPE_INSECURE_PRIVATE_NETWORK = 60, /// Content setting which stores whether or not a site can access low-level /// locally installed font data using the Local Fonts Access API. CEF_CONTENT_SETTING_TYPE_LOCAL_FONTS = 61, /// Stores per-origin state for permission auto-revocation (for all permission /// types). CEF_CONTENT_SETTING_TYPE_PERMISSION_AUTOREVOCATION_DATA = 62, /// Stores per-origin state of the most recently selected directory for the /// use by the File System Access API. CEF_CONTENT_SETTING_TYPE_FILE_SYSTEM_LAST_PICKED_DIRECTORY = 63, /// Controls access to the getDisplayMedia API when {preferCurrentTab: true} /// is specified. CEF_CONTENT_SETTING_TYPE_DISPLAY_CAPTURE = 64, /// Website setting to store permissions metadata granted to paths on the /// local file system via the File System Access API. /// |FILE_SYSTEM_WRITE_GUARD| is the corresponding "guard" setting. The stored /// data represents valid permission only if /// |FILE_SYSTEM_ACCESS_EXTENDED_PERMISSION| is enabled via user opt-in. /// Otherwise, they represent "recently granted but revoked permission", which /// are used to restore the permission. CEF_CONTENT_SETTING_TYPE_FILE_SYSTEM_ACCESS_CHOOSER_DATA = 65, /// Stores a grant that allows a relying party to send a request for identity /// information to specified identity providers, potentially through any /// anti-tracking measures that would otherwise prevent it. This setting is /// associated with the relying party's origin. CEF_CONTENT_SETTING_TYPE_FEDERATED_IDENTITY_SHARING = 66, /// Whether to use the v8 optimized JIT for running JavaScript on the page. CEF_CONTENT_SETTING_TYPE_JAVASCRIPT_JIT = 67, /// Content setting which stores user decisions to allow loading a site over /// HTTP. Entries are added by hostname when a user bypasses the HTTPS-First /// Mode interstitial warning when a site does not support HTTPS. Allowed /// hosts are exact hostname matches -- subdomains of a host on the allowlist /// must be separately allowlisted. CEF_CONTENT_SETTING_TYPE_HTTP_ALLOWED = 68, /// Stores metadata related to form fill, such as e.g. whether user data was /// autofilled on a specific website. CEF_CONTENT_SETTING_TYPE_FORMFILL_METADATA = 69, /// Setting to indicate that there is an active federated sign-in session /// between a specified relying party and a specified identity provider for /// a specified account. When this is present it allows access to session /// management capabilities between the sites. This setting is associated /// with the relying party's origin. CEF_CONTENT_SETTING_TYPE_FEDERATED_IDENTITY_ACTIVE_SESSION = 70, /// Setting to indicate whether Chrome should automatically apply darkening to /// web content. CEF_CONTENT_SETTING_TYPE_AUTO_DARK_WEB_CONTENT = 71, /// Setting to indicate whether Chrome should request the desktop view of a /// site instead of the mobile one. CEF_CONTENT_SETTING_TYPE_REQUEST_DESKTOP_SITE = 72, /// Setting to indicate whether browser should allow signing into a website /// via the browser FedCM API. CEF_CONTENT_SETTING_TYPE_FEDERATED_IDENTITY_API = 73, /// Stores notification interactions per origin for the past 90 days. /// Interactions per origin are pre-aggregated over seven-day windows: A /// notification interaction or display is assigned to the last Monday /// midnight in local time. CEF_CONTENT_SETTING_TYPE_NOTIFICATION_INTERACTIONS = 74, /// Website setting which stores the last reduced accept language negotiated /// for a given origin, to be used on future visits to the origin. CEF_CONTENT_SETTING_TYPE_REDUCED_ACCEPT_LANGUAGE = 75, /// Website setting which is used for NotificationPermissionReviewService to /// store origin blocklist from review notification permissions feature. CEF_CONTENT_SETTING_TYPE_NOTIFICATION_PERMISSION_REVIEW = 76, /// Website setting to store permissions granted to access particular devices /// in private network. CEF_CONTENT_SETTING_TYPE_PRIVATE_NETWORK_GUARD = 77, CEF_CONTENT_SETTING_TYPE_PRIVATE_NETWORK_CHOOSER_DATA = 78, /// Website setting which stores whether the browser has observed the user /// signing into an identity-provider based on observing the IdP-SignIn-Status /// HTTP header. CEF_CONTENT_SETTING_TYPE_FEDERATED_IDENTITY_IDENTITY_PROVIDER_SIGNIN_STATUS = 79, /// Website setting which is used for UnusedSitePermissionsService to /// store revoked permissions of unused sites from unused site permissions /// feature. CEF_CONTENT_SETTING_TYPE_REVOKED_UNUSED_SITE_PERMISSIONS = 80, /// Similar to STORAGE_ACCESS, but applicable at the page-level rather than /// being specific to a frame. CEF_CONTENT_SETTING_TYPE_TOP_LEVEL_STORAGE_ACCESS = 81, /// Setting to indicate whether user has opted in to allowing auto re-authn /// via the FedCM API. CEF_CONTENT_SETTING_TYPE_FEDERATED_IDENTITY_AUTO_REAUTHN_PERMISSION = 82, /// Website setting which stores whether the user has explicitly registered /// a website as an identity-provider. CEF_CONTENT_SETTING_TYPE_FEDERATED_IDENTITY_IDENTITY_PROVIDER_REGISTRATION = 83, /// Content setting which is used to indicate whether anti-abuse functionality /// should be enabled. CEF_CONTENT_SETTING_TYPE_ANTI_ABUSE = 84, /// Content setting used to indicate whether third-party storage partitioning /// should be enabled. CEF_CONTENT_SETTING_TYPE_THIRD_PARTY_STORAGE_PARTITIONING = 85, /// Used to indicate whether HTTPS-First Mode is enabled on the hostname. CEF_CONTENT_SETTING_TYPE_HTTPS_ENFORCED = 86, /// Setting for enabling the `getAllScreensMedia` API. Spec link: /// https://github.com/screen-share/capture-all-screens CEF_CONTENT_SETTING_TYPE_ALL_SCREEN_CAPTURE = 87, /// Stores per origin metadata for cookie controls. CEF_CONTENT_SETTING_TYPE_COOKIE_CONTROLS_METADATA = 88, /// Content Setting for 3PC accesses granted via 3PC deprecation trial. CEF_CONTENT_SETTING_TYPE_TPCD_SUPPORT = 89, /// Content setting used to indicate whether entering picture-in-picture /// automatically should be enabled. CEF_CONTENT_SETTING_TYPE_AUTO_PICTURE_IN_PICTURE = 90, /// Content Setting for 3PC accesses granted by metadata delivered via the /// component updater service. This type will only be used when /// `net::features::kTpcdMetadataGrants` is enabled. CEF_CONTENT_SETTING_TYPE_TPCD_METADATA_GRANTS = 91, /// Whether user has opted into keeping file/directory permissions persistent /// between visits for a given origin. When enabled, permission metadata /// stored under |FILE_SYSTEM_ACCESS_CHOOSER_DATA| can auto-grant incoming /// permission request. CEF_CONTENT_SETTING_TYPE_FILE_SYSTEM_ACCESS_EXTENDED_PERMISSION = 92, CEF_CONTENT_SETTING_TYPE_NUM_TYPES = 93 } alias CEF_CONTENT_SETTING_TYPE_COOKIES = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_COOKIES; alias CEF_CONTENT_SETTING_TYPE_IMAGES = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_IMAGES; alias CEF_CONTENT_SETTING_TYPE_JAVASCRIPT = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_JAVASCRIPT; alias CEF_CONTENT_SETTING_TYPE_POPUPS = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_POPUPS; alias CEF_CONTENT_SETTING_TYPE_GEOLOCATION = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_GEOLOCATION; alias CEF_CONTENT_SETTING_TYPE_NOTIFICATIONS = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_NOTIFICATIONS; alias CEF_CONTENT_SETTING_TYPE_AUTO_SELECT_CERTIFICATE = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_AUTO_SELECT_CERTIFICATE; alias CEF_CONTENT_SETTING_TYPE_MIXEDSCRIPT = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_MIXEDSCRIPT; alias CEF_CONTENT_SETTING_TYPE_MEDIASTREAM_MIC = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_MEDIASTREAM_MIC; alias CEF_CONTENT_SETTING_TYPE_MEDIASTREAM_CAMERA = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_MEDIASTREAM_CAMERA; alias CEF_CONTENT_SETTING_TYPE_PROTOCOL_HANDLERS = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_PROTOCOL_HANDLERS; alias CEF_CONTENT_SETTING_TYPE_DEPRECATED_PPAPI_BROKER = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_DEPRECATED_PPAPI_BROKER; alias CEF_CONTENT_SETTING_TYPE_AUTOMATIC_DOWNLOADS = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_AUTOMATIC_DOWNLOADS; alias CEF_CONTENT_SETTING_TYPE_MIDI_SYSEX = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_MIDI_SYSEX; alias CEF_CONTENT_SETTING_TYPE_SSL_CERT_DECISIONS = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_SSL_CERT_DECISIONS; alias CEF_CONTENT_SETTING_TYPE_PROTECTED_MEDIA_IDENTIFIER = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_PROTECTED_MEDIA_IDENTIFIER; alias CEF_CONTENT_SETTING_TYPE_APP_BANNER = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_APP_BANNER; alias CEF_CONTENT_SETTING_TYPE_SITE_ENGAGEMENT = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_SITE_ENGAGEMENT; alias CEF_CONTENT_SETTING_TYPE_DURABLE_STORAGE = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_DURABLE_STORAGE; alias CEF_CONTENT_SETTING_TYPE_USB_CHOOSER_DATA = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_USB_CHOOSER_DATA; alias CEF_CONTENT_SETTING_TYPE_BLUETOOTH_GUARD = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_BLUETOOTH_GUARD; alias CEF_CONTENT_SETTING_TYPE_BACKGROUND_SYNC = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_BACKGROUND_SYNC; alias CEF_CONTENT_SETTING_TYPE_AUTOPLAY = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_AUTOPLAY; alias CEF_CONTENT_SETTING_TYPE_IMPORTANT_SITE_INFO = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_IMPORTANT_SITE_INFO; alias CEF_CONTENT_SETTING_TYPE_PERMISSION_AUTOBLOCKER_DATA = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_PERMISSION_AUTOBLOCKER_DATA; alias CEF_CONTENT_SETTING_TYPE_ADS = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_ADS; alias CEF_CONTENT_SETTING_TYPE_ADS_DATA = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_ADS_DATA; alias CEF_CONTENT_SETTING_TYPE_MIDI = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_MIDI; alias CEF_CONTENT_SETTING_TYPE_PASSWORD_PROTECTION = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_PASSWORD_PROTECTION; alias CEF_CONTENT_SETTING_TYPE_MEDIA_ENGAGEMENT = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_MEDIA_ENGAGEMENT; alias CEF_CONTENT_SETTING_TYPE_SOUND = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_SOUND; alias CEF_CONTENT_SETTING_TYPE_CLIENT_HINTS = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_CLIENT_HINTS; alias CEF_CONTENT_SETTING_TYPE_SENSORS = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_SENSORS; alias CEF_CONTENT_SETTING_TYPE_ACCESSIBILITY_EVENTS = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_ACCESSIBILITY_EVENTS; alias CEF_CONTENT_SETTING_TYPE_PAYMENT_HANDLER = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_PAYMENT_HANDLER; alias CEF_CONTENT_SETTING_TYPE_USB_GUARD = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_USB_GUARD; alias CEF_CONTENT_SETTING_TYPE_BACKGROUND_FETCH = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_BACKGROUND_FETCH; alias CEF_CONTENT_SETTING_TYPE_INTENT_PICKER_DISPLAY = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_INTENT_PICKER_DISPLAY; alias CEF_CONTENT_SETTING_TYPE_IDLE_DETECTION = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_IDLE_DETECTION; alias CEF_CONTENT_SETTING_TYPE_SERIAL_GUARD = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_SERIAL_GUARD; alias CEF_CONTENT_SETTING_TYPE_SERIAL_CHOOSER_DATA = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_SERIAL_CHOOSER_DATA; alias CEF_CONTENT_SETTING_TYPE_PERIODIC_BACKGROUND_SYNC = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_PERIODIC_BACKGROUND_SYNC; alias CEF_CONTENT_SETTING_TYPE_BLUETOOTH_SCANNING = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_BLUETOOTH_SCANNING; alias CEF_CONTENT_SETTING_TYPE_HID_GUARD = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_HID_GUARD; alias CEF_CONTENT_SETTING_TYPE_HID_CHOOSER_DATA = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_HID_CHOOSER_DATA; alias CEF_CONTENT_SETTING_TYPE_WAKE_LOCK_SCREEN = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_WAKE_LOCK_SCREEN; alias CEF_CONTENT_SETTING_TYPE_WAKE_LOCK_SYSTEM = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_WAKE_LOCK_SYSTEM; alias CEF_CONTENT_SETTING_TYPE_LEGACY_COOKIE_ACCESS = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_LEGACY_COOKIE_ACCESS; alias CEF_CONTENT_SETTING_TYPE_FILE_SYSTEM_WRITE_GUARD = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_FILE_SYSTEM_WRITE_GUARD; alias CEF_CONTENT_SETTING_TYPE_NFC = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_NFC; alias CEF_CONTENT_SETTING_TYPE_BLUETOOTH_CHOOSER_DATA = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_BLUETOOTH_CHOOSER_DATA; alias CEF_CONTENT_SETTING_TYPE_CLIPBOARD_READ_WRITE = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_CLIPBOARD_READ_WRITE; alias CEF_CONTENT_SETTING_TYPE_CLIPBOARD_SANITIZED_WRITE = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_CLIPBOARD_SANITIZED_WRITE; alias CEF_CONTENT_SETTING_TYPE_SAFE_BROWSING_URL_CHECK_DATA = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_SAFE_BROWSING_URL_CHECK_DATA; alias CEF_CONTENT_SETTING_TYPE_VR = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_VR; alias CEF_CONTENT_SETTING_TYPE_AR = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_AR; alias CEF_CONTENT_SETTING_TYPE_FILE_SYSTEM_READ_GUARD = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_FILE_SYSTEM_READ_GUARD; alias CEF_CONTENT_SETTING_TYPE_STORAGE_ACCESS = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_STORAGE_ACCESS; alias CEF_CONTENT_SETTING_TYPE_CAMERA_PAN_TILT_ZOOM = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_CAMERA_PAN_TILT_ZOOM; alias CEF_CONTENT_SETTING_TYPE_WINDOW_MANAGEMENT = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_WINDOW_MANAGEMENT; alias CEF_CONTENT_SETTING_TYPE_INSECURE_PRIVATE_NETWORK = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_INSECURE_PRIVATE_NETWORK; alias CEF_CONTENT_SETTING_TYPE_LOCAL_FONTS = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_LOCAL_FONTS; alias CEF_CONTENT_SETTING_TYPE_PERMISSION_AUTOREVOCATION_DATA = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_PERMISSION_AUTOREVOCATION_DATA; alias CEF_CONTENT_SETTING_TYPE_FILE_SYSTEM_LAST_PICKED_DIRECTORY = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_FILE_SYSTEM_LAST_PICKED_DIRECTORY; alias CEF_CONTENT_SETTING_TYPE_DISPLAY_CAPTURE = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_DISPLAY_CAPTURE; alias CEF_CONTENT_SETTING_TYPE_FILE_SYSTEM_ACCESS_CHOOSER_DATA = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_FILE_SYSTEM_ACCESS_CHOOSER_DATA; alias CEF_CONTENT_SETTING_TYPE_FEDERATED_IDENTITY_SHARING = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_FEDERATED_IDENTITY_SHARING; alias CEF_CONTENT_SETTING_TYPE_JAVASCRIPT_JIT = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_JAVASCRIPT_JIT; alias CEF_CONTENT_SETTING_TYPE_HTTP_ALLOWED = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_HTTP_ALLOWED; alias CEF_CONTENT_SETTING_TYPE_FORMFILL_METADATA = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_FORMFILL_METADATA; alias CEF_CONTENT_SETTING_TYPE_FEDERATED_IDENTITY_ACTIVE_SESSION = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_FEDERATED_IDENTITY_ACTIVE_SESSION; alias CEF_CONTENT_SETTING_TYPE_AUTO_DARK_WEB_CONTENT = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_AUTO_DARK_WEB_CONTENT; alias CEF_CONTENT_SETTING_TYPE_REQUEST_DESKTOP_SITE = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_REQUEST_DESKTOP_SITE; alias CEF_CONTENT_SETTING_TYPE_FEDERATED_IDENTITY_API = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_FEDERATED_IDENTITY_API; alias CEF_CONTENT_SETTING_TYPE_NOTIFICATION_INTERACTIONS = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_NOTIFICATION_INTERACTIONS; alias CEF_CONTENT_SETTING_TYPE_REDUCED_ACCEPT_LANGUAGE = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_REDUCED_ACCEPT_LANGUAGE; alias CEF_CONTENT_SETTING_TYPE_NOTIFICATION_PERMISSION_REVIEW = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_NOTIFICATION_PERMISSION_REVIEW; alias CEF_CONTENT_SETTING_TYPE_PRIVATE_NETWORK_GUARD = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_PRIVATE_NETWORK_GUARD; alias CEF_CONTENT_SETTING_TYPE_PRIVATE_NETWORK_CHOOSER_DATA = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_PRIVATE_NETWORK_CHOOSER_DATA; alias CEF_CONTENT_SETTING_TYPE_FEDERATED_IDENTITY_IDENTITY_PROVIDER_SIGNIN_STATUS = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_FEDERATED_IDENTITY_IDENTITY_PROVIDER_SIGNIN_STATUS; alias CEF_CONTENT_SETTING_TYPE_REVOKED_UNUSED_SITE_PERMISSIONS = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_REVOKED_UNUSED_SITE_PERMISSIONS; alias CEF_CONTENT_SETTING_TYPE_TOP_LEVEL_STORAGE_ACCESS = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_TOP_LEVEL_STORAGE_ACCESS; alias CEF_CONTENT_SETTING_TYPE_FEDERATED_IDENTITY_AUTO_REAUTHN_PERMISSION = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_FEDERATED_IDENTITY_AUTO_REAUTHN_PERMISSION; alias CEF_CONTENT_SETTING_TYPE_FEDERATED_IDENTITY_IDENTITY_PROVIDER_REGISTRATION = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_FEDERATED_IDENTITY_IDENTITY_PROVIDER_REGISTRATION; alias CEF_CONTENT_SETTING_TYPE_ANTI_ABUSE = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_ANTI_ABUSE; alias CEF_CONTENT_SETTING_TYPE_THIRD_PARTY_STORAGE_PARTITIONING = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_THIRD_PARTY_STORAGE_PARTITIONING; alias CEF_CONTENT_SETTING_TYPE_HTTPS_ENFORCED = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_HTTPS_ENFORCED; alias CEF_CONTENT_SETTING_TYPE_ALL_SCREEN_CAPTURE = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_ALL_SCREEN_CAPTURE; alias CEF_CONTENT_SETTING_TYPE_COOKIE_CONTROLS_METADATA = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_COOKIE_CONTROLS_METADATA; alias CEF_CONTENT_SETTING_TYPE_TPCD_SUPPORT = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_TPCD_SUPPORT; alias CEF_CONTENT_SETTING_TYPE_AUTO_PICTURE_IN_PICTURE = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_AUTO_PICTURE_IN_PICTURE; alias CEF_CONTENT_SETTING_TYPE_TPCD_METADATA_GRANTS = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_TPCD_METADATA_GRANTS; alias CEF_CONTENT_SETTING_TYPE_FILE_SYSTEM_ACCESS_EXTENDED_PERMISSION = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_FILE_SYSTEM_ACCESS_EXTENDED_PERMISSION; alias CEF_CONTENT_SETTING_TYPE_NUM_TYPES = cef_content_setting_types_t.CEF_CONTENT_SETTING_TYPE_NUM_TYPES; /// /// Supported content setting values. Should be kept in sync with Chromium's /// ContentSetting type. /// enum cef_content_setting_values_t { CEF_CONTENT_SETTING_VALUE_DEFAULT = 0, CEF_CONTENT_SETTING_VALUE_ALLOW = 1, CEF_CONTENT_SETTING_VALUE_BLOCK = 2, CEF_CONTENT_SETTING_VALUE_ASK = 3, CEF_CONTENT_SETTING_VALUE_SESSION_ONLY = 4, CEF_CONTENT_SETTING_VALUE_DETECT_IMPORTANT_CONTENT = 5, CEF_CONTENT_SETTING_VALUE_NUM_VALUES = 6 } alias CEF_CONTENT_SETTING_VALUE_DEFAULT = cef_content_setting_values_t.CEF_CONTENT_SETTING_VALUE_DEFAULT; alias CEF_CONTENT_SETTING_VALUE_ALLOW = cef_content_setting_values_t.CEF_CONTENT_SETTING_VALUE_ALLOW; alias CEF_CONTENT_SETTING_VALUE_BLOCK = cef_content_setting_values_t.CEF_CONTENT_SETTING_VALUE_BLOCK; alias CEF_CONTENT_SETTING_VALUE_ASK = cef_content_setting_values_t.CEF_CONTENT_SETTING_VALUE_ASK; alias CEF_CONTENT_SETTING_VALUE_SESSION_ONLY = cef_content_setting_values_t.CEF_CONTENT_SETTING_VALUE_SESSION_ONLY; alias CEF_CONTENT_SETTING_VALUE_DETECT_IMPORTANT_CONTENT = cef_content_setting_values_t.CEF_CONTENT_SETTING_VALUE_DETECT_IMPORTANT_CONTENT; alias CEF_CONTENT_SETTING_VALUE_NUM_VALUES = cef_content_setting_values_t.CEF_CONTENT_SETTING_VALUE_NUM_VALUES; // CEF_INCLUDE_INTERNAL_CEF_TYPES_CONTENT_SETTINGS_H_ // CEF_INCLUDE_CEF_VERSION_H_ // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the make_api_hash_header.py tool. // extern (C): // The API hash is created by analyzing CEF header files for C API type // definitions. The hash value will change when header files are modified in a // way that may cause binary incompatibility with other builds. The universal // hash value will change if any platform is affected whereas the platform hash // values will change only if that particular platform is affected. enum CEF_API_HASH_UNIVERSAL = "c0c754c1ca4f72f6ca6a80861b38b34a61ed5116"; enum CEF_API_HASH_PLATFORM = "75cbf2876ee57cc093f9ab7905e19034754a4b8a"; /// // Returns CEF API hashes for the libcef library. The returned string is owned // by the library and should not be freed. The |entry| parameter describes which // hash value will be returned: // 0 - CEF_API_HASH_PLATFORM // 1 - CEF_API_HASH_UNIVERSAL // 2 - CEF_COMMIT_HASH (from cef_version.h) /// const(char)* cef_api_hash (int entry); // CEF_INCLUDE_API_HASH_H_ // Copyright (c) 2014 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. extern (C): /// /// Structure representing a point. /// struct cef_point_t { int x; int y; } /// /// Structure representing a rectangle. /// struct cef_rect_t { int x; int y; int width; int height; } /// /// Structure representing a size. /// struct cef_size_t { int width; int height; } /// /// Structure representing insets. /// struct cef_insets_t { int top; int left; int bottom; int right; } // CEF_INCLUDE_INTERNAL_CEF_TYPES_GEOMETRY_H_ // Copyright (c) 2014 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. import core.stdc.config; import core.stdc.limits; extern (C): // Bring in platform-specific definitions. // 32-bit ARGB color value, not premultiplied. The color components are always // in a known order. Equivalent to the SkColor type. alias cef_color_t = uint; // Return the alpha byte from a cef_color_t value. // Return the red byte from a cef_color_t value. // Return the green byte from a cef_color_t value. // Return the blue byte from a cef_color_t value. // Return an cef_color_t value with the specified byte component values. // Return an int64_t value with the specified low and high int32_t component // values. // Return the low int32_t value from an int64_t value. // Return the high int32_t value from an int64_t value. /// /// Log severity levels. /// enum cef_log_severity_t { /// /// Default logging (currently INFO logging). /// LOGSEVERITY_DEFAULT = 0, /// /// Verbose logging. /// LOGSEVERITY_VERBOSE = 1, /// /// DEBUG logging. /// LOGSEVERITY_DEBUG = LOGSEVERITY_VERBOSE, /// /// INFO logging. /// LOGSEVERITY_INFO = 2, /// /// WARNING logging. /// LOGSEVERITY_WARNING = 3, /// /// ERROR logging. /// LOGSEVERITY_ERROR = 4, /// /// FATAL logging. /// LOGSEVERITY_FATAL = 5, /// /// Disable logging to file for all messages, and to stderr for messages with /// severity less than FATAL. /// LOGSEVERITY_DISABLE = 99 } alias LOGSEVERITY_DEFAULT = cef_log_severity_t.LOGSEVERITY_DEFAULT; alias LOGSEVERITY_VERBOSE = cef_log_severity_t.LOGSEVERITY_VERBOSE; alias LOGSEVERITY_DEBUG = cef_log_severity_t.LOGSEVERITY_DEBUG; alias LOGSEVERITY_INFO = cef_log_severity_t.LOGSEVERITY_INFO; alias LOGSEVERITY_WARNING = cef_log_severity_t.LOGSEVERITY_WARNING; alias LOGSEVERITY_ERROR = cef_log_severity_t.LOGSEVERITY_ERROR; alias LOGSEVERITY_FATAL = cef_log_severity_t.LOGSEVERITY_FATAL; alias LOGSEVERITY_DISABLE = cef_log_severity_t.LOGSEVERITY_DISABLE; /// /// Log items prepended to each log line. /// enum cef_log_items_t { /// /// Prepend the default list of items. /// LOG_ITEMS_DEFAULT = 0, /// /// Prepend no items. /// LOG_ITEMS_NONE = 1, /// /// Prepend the process ID. /// LOG_ITEMS_FLAG_PROCESS_ID = 1 << 1, /// /// Prepend the thread ID. /// LOG_ITEMS_FLAG_THREAD_ID = 1 << 2, /// /// Prepend the timestamp. /// LOG_ITEMS_FLAG_TIME_STAMP = 1 << 3, /// /// Prepend the tickcount. /// LOG_ITEMS_FLAG_TICK_COUNT = 1 << 4 } alias LOG_ITEMS_DEFAULT = cef_log_items_t.LOG_ITEMS_DEFAULT; alias LOG_ITEMS_NONE = cef_log_items_t.LOG_ITEMS_NONE; alias LOG_ITEMS_FLAG_PROCESS_ID = cef_log_items_t.LOG_ITEMS_FLAG_PROCESS_ID; alias LOG_ITEMS_FLAG_THREAD_ID = cef_log_items_t.LOG_ITEMS_FLAG_THREAD_ID; alias LOG_ITEMS_FLAG_TIME_STAMP = cef_log_items_t.LOG_ITEMS_FLAG_TIME_STAMP; alias LOG_ITEMS_FLAG_TICK_COUNT = cef_log_items_t.LOG_ITEMS_FLAG_TICK_COUNT; /// /// Represents the state of a setting. /// enum cef_state_t { /// /// Use the default state for the setting. /// STATE_DEFAULT = 0, /// /// Enable or allow the setting. /// STATE_ENABLED = 1, /// /// Disable or disallow the setting. /// STATE_DISABLED = 2 } alias STATE_DEFAULT = cef_state_t.STATE_DEFAULT; alias STATE_ENABLED = cef_state_t.STATE_ENABLED; alias STATE_DISABLED = cef_state_t.STATE_DISABLED; /// /// Initialization settings. Specify NULL or 0 to get the recommended default /// values. Many of these and other settings can also configured using command- /// line switches. /// struct cef_settings_t { /// /// Size of this structure. /// alias size_t = c_ulong; size_t size; /// /// Set to true (1) to disable the sandbox for sub-processes. See /// cef_sandbox_win.h for requirements to enable the sandbox on Windows. Also /// configurable using the "no-sandbox" command-line switch. /// int no_sandbox; /// /// The path to a separate executable that will be launched for sub-processes. /// If this value is empty on Windows or Linux then the main process /// executable will be used. If this value is empty on macOS then a helper /// executable must exist at "Contents/Frameworks/ /// Helper.app/Contents/MacOS/ Helper" in the top-level app bundle. See /// the comments on CefExecuteProcess() for details. If this value is /// non-empty then it must be an absolute path. Also configurable using the /// "browser-subprocess-path" command-line switch. /// alias cef_string_t = cef_string_utf16_t; cef_string_t browser_subprocess_path; /// /// The path to the CEF framework directory on macOS. If this value is empty /// then the framework must exist at "Contents/Frameworks/Chromium Embedded /// Framework.framework" in the top-level app bundle. If this value is /// non-empty then it must be an absolute path. Also configurable using the /// "framework-dir-path" command-line switch. /// cef_string_t framework_dir_path; /// /// The path to the main bundle on macOS. If this value is empty then it /// defaults to the top-level app bundle. If this value is non-empty then it /// must be an absolute path. Also configurable using the "main-bundle-path" /// command-line switch. /// cef_string_t main_bundle_path; /// /// Set to true (1) to enable use of the Chrome runtime in CEF. This feature /// is considered experimental and is not recommended for most users at this /// time. See issue #2969 for details. /// int chrome_runtime; /// /// Set to true (1) to have the browser process message loop run in a separate /// thread. If false (0) then the CefDoMessageLoopWork() function must be /// called from your application message loop. This option is only supported /// on Windows and Linux. /// int multi_threaded_message_loop; /// /// Set to true (1) to control browser process main (UI) thread message pump /// scheduling via the CefBrowserProcessHandler::OnScheduleMessagePumpWork() /// callback. This option is recommended for use in combination with the /// CefDoMessageLoopWork() function in cases where the CEF message loop must /// be integrated into an existing application message loop (see additional /// comments and warnings on CefDoMessageLoopWork). Enabling this option is /// not recommended for most users; leave this option disabled and use either /// the CefRunMessageLoop() function or multi_threaded_message_loop if /// possible. /// int external_message_pump; /// /// Set to true (1) to enable windowless (off-screen) rendering support. Do /// not enable this value if the application does not use windowless rendering /// as it may reduce rendering performance on some systems. /// int windowless_rendering_enabled; /// /// Set to true (1) to disable configuration of browser process features using /// standard CEF and Chromium command-line arguments. Configuration can still /// be specified using CEF data structures or via the /// CefApp::OnBeforeCommandLineProcessing() method. /// int command_line_args_disabled; /// /// The location where data for the global browser cache will be stored on /// disk. If this value is non-empty then it must be an absolute path that is /// either equal to or a child directory of CefSettings.root_cache_path. If /// this value is empty then browsers will be created in "incognito mode" /// where in-memory caches are used for storage and no data is persisted to /// disk. HTML5 databases such as localStorage will only persist across /// sessions if a cache path is specified. Can be overridden for individual /// CefRequestContext instances via the CefRequestContextSettings.cache_path /// value. When using the Chrome runtime the "default" profile will be used if /// |cache_path| and |root_cache_path| have the same value. /// cef_string_t cache_path; /// /// The root directory that all CefSettings.cache_path and /// CefRequestContextSettings.cache_path values must have in common. If this /// value is empty and CefSettings.cache_path is non-empty then it will /// default to the CefSettings.cache_path value. If both values are empty /// then the default platform-specific directory will be used /// ("~/.config/cef_user_data" directory on Linux, "~/Library/Application /// Support/CEF/User Data" directory on MacOS, "AppData\Local\CEF\User Data" /// directory under the user profile directory on Windows). If this value is /// non-empty then it must be an absolute path. Failure to set this value /// correctly may result in the sandbox blocking read/write access to certain /// files. /// cef_string_t root_cache_path; /// /// To persist session cookies (cookies without an expiry date or validity /// interval) by default when using the global cookie manager set this value /// to true (1). Session cookies are generally intended to be transient and /// most Web browsers do not persist them. A |cache_path| value must also be /// specified to enable this feature. Also configurable using the /// "persist-session-cookies" command-line switch. Can be overridden for /// individual CefRequestContext instances via the /// CefRequestContextSettings.persist_session_cookies value. /// int persist_session_cookies; /// /// To persist user preferences as a JSON file in the cache path directory set /// this value to true (1). A |cache_path| value must also be specified /// to enable this feature. Also configurable using the /// "persist-user-preferences" command-line switch. Can be overridden for /// individual CefRequestContext instances via the /// CefRequestContextSettings.persist_user_preferences value. /// int persist_user_preferences; /// /// Value that will be returned as the User-Agent HTTP header. If empty the /// default User-Agent string will be used. Also configurable using the /// "user-agent" command-line switch. /// cef_string_t user_agent; /// /// Value that will be inserted as the product portion of the default /// User-Agent string. If empty the Chromium product version will be used. If /// |userAgent| is specified this value will be ignored. Also configurable /// using the "user-agent-product" command-line switch. /// cef_string_t user_agent_product; /// /// The locale string that will be passed to WebKit. If empty the default /// locale of "en-US" will be used. This value is ignored on Linux where /// locale is determined using environment variable parsing with the /// precedence order: LANGUAGE, LC_ALL, LC_MESSAGES and LANG. Also /// configurable using the "lang" command-line switch. /// cef_string_t locale; /// /// The directory and file name to use for the debug log. If empty a default /// log file name and location will be used. On Windows and Linux a /// "debug.log" file will be written in the main executable directory. On /// MacOS a "~/Library/Logs/[app name]_debug.log" file will be written where /// [app name] is the name of the main app executable. Also configurable using /// the "log-file" command-line switch. /// cef_string_t log_file; /// /// The log severity. Only messages of this severity level or higher will be /// logged. When set to DISABLE no messages will be written to the log file, /// but FATAL messages will still be output to stderr. Also configurable using /// the "log-severity" command-line switch with a value of "verbose", "info", /// "warning", "error", "fatal" or "disable". /// cef_log_severity_t log_severity; /// /// The log items prepended to each log line. If not set the default log items /// will be used. Also configurable using the "log-items" command-line switch /// with a value of "none" for no log items, or a comma-delimited list of /// values "pid", "tid", "timestamp" or "tickcount" for custom log items. /// cef_log_items_t log_items; /// /// Custom flags that will be used when initializing the V8 JavaScript engine. /// The consequences of using custom flags may not be well tested. Also /// configurable using the "js-flags" command-line switch. /// cef_string_t javascript_flags; /// /// The fully qualified path for the resources directory. If this value is /// empty the *.pak files must be located in the module directory on /// Windows/Linux or the app bundle Resources directory on MacOS. If this /// value is non-empty then it must be an absolute path. Also configurable /// using the "resources-dir-path" command-line switch. /// cef_string_t resources_dir_path; /// /// The fully qualified path for the locales directory. If this value is empty /// the locales directory must be located in the module directory. If this /// value is non-empty then it must be an absolute path. This value is ignored /// on MacOS where pack files are always loaded from the app bundle Resources /// directory. Also configurable using the "locales-dir-path" command-line /// switch. /// cef_string_t locales_dir_path; /// /// Set to true (1) to disable loading of pack files for resources and /// locales. A resource bundle handler must be provided for the browser and /// render processes via CefApp::GetResourceBundleHandler() if loading of pack /// files is disabled. Also configurable using the "disable-pack-loading" /// command- line switch. /// int pack_loading_disabled; /// /// Set to a value between 1024 and 65535 to enable remote debugging on the /// specified port. Also configurable using the "remote-debugging-port" /// command-line switch. Remote debugging can be accessed by loading the /// chrome://inspect page in Google Chrome. Port numbers 9222 and 9229 are /// discoverable by default. Other port numbers may need to be configured via /// "Discover network targets" on the Devices tab. /// int remote_debugging_port; /// /// The number of stack trace frames to capture for uncaught exceptions. /// Specify a positive value to enable the /// CefRenderProcessHandler::OnUncaughtException() callback. Specify 0 /// (default value) and OnUncaughtException() will not be called. Also /// configurable using the "uncaught-exception-stack-size" command-line /// switch. /// int uncaught_exception_stack_size; /// /// Background color used for the browser before a document is loaded and when /// no document color is specified. The alpha component must be either fully /// opaque (0xFF) or fully transparent (0x00). If the alpha component is fully /// opaque then the RGB components will be used as the background color. If /// the alpha component is fully transparent for a windowed browser then the /// default value of opaque white be used. If the alpha component is fully /// transparent for a windowless (off-screen) browser then transparent /// painting will be enabled. /// cef_color_t background_color; /// /// Comma delimited ordered list of language codes without any whitespace that /// will be used in the "Accept-Language" HTTP request header and /// "navigator.language" JS attribute. Can be overridden for individual /// CefRequestContext instances via the /// CefRequestContextSettings.accept_language_list value. /// cef_string_t accept_language_list; /// /// Comma delimited list of schemes supported by the associated /// CefCookieManager. If |cookieable_schemes_exclude_defaults| is false (0) /// the default schemes ("http", "https", "ws" and "wss") will also be /// supported. Not specifying a |cookieable_schemes_list| value and setting /// |cookieable_schemes_exclude_defaults| to true (1) will disable all loading /// and saving of cookies. These settings will only impact the global /// CefRequestContext. Individual CefRequestContext instances can be /// configured via the CefRequestContextSettings.cookieable_schemes_list and /// CefRequestContextSettings.cookieable_schemes_exclude_defaults values. /// cef_string_t cookieable_schemes_list; int cookieable_schemes_exclude_defaults; /// /// Specify an ID to enable Chrome policy management via Platform and OS-user /// policies. On Windows, this is a registry key like /// "SOFTWARE\\Policies\\Google\\Chrome". On MacOS, this is a bundle ID like /// "com.google.Chrome". On Linux, this is an absolute directory path like /// "/etc/opt/chrome/policies". Only supported with the Chrome runtime. See /// https://support.google.com/chrome/a/answer/9037717 for details. /// /// Chrome Browser Cloud Management integration, when enabled via the /// "enable-chrome-browser-cloud-management" command-line flag, will also use /// the specified ID. See https://support.google.com/chrome/a/answer/9116814 /// for details. /// cef_string_t chrome_policy_id; } /// /// Request context initialization settings. Specify NULL or 0 to get the /// recommended default values. /// struct cef_request_context_settings_t { /// /// Size of this structure. /// size_t size; /// /// The location where cache data for this request context will be stored on /// disk. If this value is non-empty then it must be an absolute path that is /// either equal to or a child directory of CefSettings.root_cache_path. If /// this value is empty then browsers will be created in "incognito mode" /// where in-memory caches are used for storage and no data is persisted to /// disk. HTML5 databases such as localStorage will only persist across /// sessions if a cache path is specified. To share the global browser cache /// and related configuration set this value to match the /// CefSettings.cache_path value. /// cef_string_t cache_path; /// /// To persist session cookies (cookies without an expiry date or validity /// interval) by default when using the global cookie manager set this value /// to true (1). Session cookies are generally intended to be transient and /// most Web browsers do not persist them. Can be set globally using the /// CefSettings.persist_session_cookies value. This value will be ignored if /// |cache_path| is empty or if it matches the CefSettings.cache_path value. /// int persist_session_cookies; /// /// To persist user preferences as a JSON file in the cache path directory set /// this value to true (1). Can be set globally using the /// CefSettings.persist_user_preferences value. This value will be ignored if /// |cache_path| is empty or if it matches the CefSettings.cache_path value. /// int persist_user_preferences; /// /// Comma delimited ordered list of language codes without any whitespace that /// will be used in the "Accept-Language" HTTP request header and /// "navigator.language" JS attribute. Can be set globally using the /// CefSettings.accept_language_list value. If all values are empty then /// "en-US,en" will be used. This value will be ignored if |cache_path| /// matches the CefSettings.cache_path value. /// cef_string_t accept_language_list; /// /// Comma delimited list of schemes supported by the associated /// CefCookieManager. If |cookieable_schemes_exclude_defaults| is false (0) /// the default schemes ("http", "https", "ws" and "wss") will also be /// supported. Not specifying a |cookieable_schemes_list| value and setting /// |cookieable_schemes_exclude_defaults| to true (1) will disable all loading /// and saving of cookies. These values will be ignored if |cache_path| /// matches the CefSettings.cache_path value. /// cef_string_t cookieable_schemes_list; int cookieable_schemes_exclude_defaults; } /// /// Browser initialization settings. Specify NULL or 0 to get the recommended /// default values. The consequences of using custom values may not be well /// tested. Many of these and other settings can also configured using command- /// line switches. /// struct cef_browser_settings_t { /// /// Size of this structure. /// size_t size; /// /// The maximum rate in frames per second (fps) that CefRenderHandler::OnPaint /// will be called for a windowless browser. The actual fps may be lower if /// the browser cannot generate frames at the requested rate. The minimum /// value is 1 and the maximum value is 60 (default 30). This value can also /// be changed dynamically via CefBrowserHost::SetWindowlessFrameRate. /// int windowless_frame_rate; /// BEGIN values that map to WebPreferences settings. /// /// Font settings. /// cef_string_t standard_font_family; cef_string_t fixed_font_family; cef_string_t serif_font_family; cef_string_t sans_serif_font_family; cef_string_t cursive_font_family; cef_string_t fantasy_font_family; int default_font_size; int default_fixed_font_size; int minimum_font_size; int minimum_logical_font_size; /// /// Default encoding for Web content. If empty "ISO-8859-1" will be used. Also /// configurable using the "default-encoding" command-line switch. /// cef_string_t default_encoding; /// /// Controls the loading of fonts from remote sources. Also configurable using /// the "disable-remote-fonts" command-line switch. /// cef_state_t remote_fonts; /// /// Controls whether JavaScript can be executed. Also configurable using the /// "disable-javascript" command-line switch. /// cef_state_t javascript; /// /// Controls whether JavaScript can be used to close windows that were not /// opened via JavaScript. JavaScript can still be used to close windows that /// were opened via JavaScript or that have no back/forward history. Also /// configurable using the "disable-javascript-close-windows" command-line /// switch. /// cef_state_t javascript_close_windows; /// /// Controls whether JavaScript can access the clipboard. Also configurable /// using the "disable-javascript-access-clipboard" command-line switch. /// cef_state_t javascript_access_clipboard; /// /// Controls whether DOM pasting is supported in the editor via /// execCommand("paste"). The |javascript_access_clipboard| setting must also /// be enabled. Also configurable using the "disable-javascript-dom-paste" /// command-line switch. /// cef_state_t javascript_dom_paste; /// /// Controls whether image URLs will be loaded from the network. A cached /// image will still be rendered if requested. Also configurable using the /// "disable-image-loading" command-line switch. /// cef_state_t image_loading; /// /// Controls whether standalone images will be shrunk to fit the page. Also /// configurable using the "image-shrink-standalone-to-fit" command-line /// switch. /// cef_state_t image_shrink_standalone_to_fit; /// /// Controls whether text areas can be resized. Also configurable using the /// "disable-text-area-resize" command-line switch. /// cef_state_t text_area_resize; /// /// Controls whether the tab key can advance focus to links. Also configurable /// using the "disable-tab-to-links" command-line switch. /// cef_state_t tab_to_links; /// /// Controls whether local storage can be used. Also configurable using the /// "disable-local-storage" command-line switch. /// cef_state_t local_storage; /// /// Controls whether databases can be used. Also configurable using the /// "disable-databases" command-line switch. /// cef_state_t databases; /// /// Controls whether WebGL can be used. Note that WebGL requires hardware /// support and may not work on all systems even when enabled. Also /// configurable using the "disable-webgl" command-line switch. /// cef_state_t webgl; /// END values that map to WebPreferences settings. /// /// Background color used for the browser before a document is loaded and when /// no document color is specified. The alpha component must be either fully /// opaque (0xFF) or fully transparent (0x00). If the alpha component is fully /// opaque then the RGB components will be used as the background color. If /// the alpha component is fully transparent for a windowed browser then the /// CefSettings.background_color value will be used. If the alpha component is /// fully transparent for a windowless (off-screen) browser then transparent /// painting will be enabled. /// cef_color_t background_color; /// /// Controls whether the Chrome status bubble will be used. Only supported /// with the Chrome runtime. For details about the status bubble see /// https://www.chromium.org/user-experience/status-bubble/ /// cef_state_t chrome_status_bubble; /// /// Controls whether the Chrome zoom bubble will be shown when zooming. Only /// supported with the Chrome runtime. /// cef_state_t chrome_zoom_bubble; } /// /// Return value types. /// enum cef_return_value_t { /// /// Cancel immediately. /// RV_CANCEL = 0, /// /// Continue immediately. /// RV_CONTINUE = 1, /// /// Continue asynchronously (usually via a callback). /// RV_CONTINUE_ASYNC = 2 } alias RV_CANCEL = cef_return_value_t.RV_CANCEL; alias RV_CONTINUE = cef_return_value_t.RV_CONTINUE; alias RV_CONTINUE_ASYNC = cef_return_value_t.RV_CONTINUE_ASYNC; /// /// URL component parts. /// struct cef_urlparts_t { /// /// The complete URL specification. /// cef_string_t spec; /// /// Scheme component not including the colon (e.g., "http"). /// cef_string_t scheme; /// /// User name component. /// cef_string_t username; /// /// Password component. /// cef_string_t password; /// /// Host component. This may be a hostname, an IPv4 address or an IPv6 literal /// surrounded by square brackets (e.g., "[2001:db8::1]"). /// cef_string_t host; /// /// Port number component. /// cef_string_t port; /// /// Origin contains just the scheme, host, and port from a URL. Equivalent to /// clearing any username and password, replacing the path with a slash, and /// clearing everything after that. This value will be empty for non-standard /// URLs. /// cef_string_t origin; /// /// Path component including the first slash following the host. /// cef_string_t path; /// /// Query string component (i.e., everything following the '?'). /// cef_string_t query; /// /// Fragment (hash) identifier component (i.e., the string following the '#'). /// cef_string_t fragment; } /// /// Cookie priority values. /// enum cef_cookie_priority_t { CEF_COOKIE_PRIORITY_LOW = -1, CEF_COOKIE_PRIORITY_MEDIUM = 0, CEF_COOKIE_PRIORITY_HIGH = 1 } alias CEF_COOKIE_PRIORITY_LOW = cef_cookie_priority_t.CEF_COOKIE_PRIORITY_LOW; alias CEF_COOKIE_PRIORITY_MEDIUM = cef_cookie_priority_t.CEF_COOKIE_PRIORITY_MEDIUM; alias CEF_COOKIE_PRIORITY_HIGH = cef_cookie_priority_t.CEF_COOKIE_PRIORITY_HIGH; /// /// Cookie same site values. /// enum cef_cookie_same_site_t { CEF_COOKIE_SAME_SITE_UNSPECIFIED = 0, CEF_COOKIE_SAME_SITE_NO_RESTRICTION = 1, CEF_COOKIE_SAME_SITE_LAX_MODE = 2, CEF_COOKIE_SAME_SITE_STRICT_MODE = 3 } alias CEF_COOKIE_SAME_SITE_UNSPECIFIED = cef_cookie_same_site_t.CEF_COOKIE_SAME_SITE_UNSPECIFIED; alias CEF_COOKIE_SAME_SITE_NO_RESTRICTION = cef_cookie_same_site_t.CEF_COOKIE_SAME_SITE_NO_RESTRICTION; alias CEF_COOKIE_SAME_SITE_LAX_MODE = cef_cookie_same_site_t.CEF_COOKIE_SAME_SITE_LAX_MODE; alias CEF_COOKIE_SAME_SITE_STRICT_MODE = cef_cookie_same_site_t.CEF_COOKIE_SAME_SITE_STRICT_MODE; /// /// Cookie information. /// struct cef_cookie_t { /// /// The cookie name. /// cef_string_t name; /// /// The cookie value. /// cef_string_t value; /// /// If |domain| is empty a host cookie will be created instead of a domain /// cookie. Domain cookies are stored with a leading "." and are visible to /// sub-domains whereas host cookies are not. /// cef_string_t domain; /// /// If |path| is non-empty only URLs at or below the path will get the cookie /// value. /// cef_string_t path; /// /// If |secure| is true the cookie will only be sent for HTTPS requests. /// int secure; /// /// If |httponly| is true the cookie will only be sent for HTTP requests. /// int httponly; /// /// The cookie creation date. This is automatically populated by the system on /// cookie creation. /// cef_basetime_t creation; /// /// The cookie last access date. This is automatically populated by the system /// on access. /// cef_basetime_t last_access; /// /// The cookie expiration date is only valid if |has_expires| is true. /// int has_expires; cef_basetime_t expires; /// /// Same site. /// cef_cookie_same_site_t same_site; /// /// Priority. /// cef_cookie_priority_t priority; } /// /// Process termination status values. /// enum cef_termination_status_t { /// /// Non-zero exit status. /// TS_ABNORMAL_TERMINATION = 0, /// /// SIGKILL or task manager kill. /// TS_PROCESS_WAS_KILLED = 1, /// /// Segmentation fault. /// TS_PROCESS_CRASHED = 2, /// /// Out of memory. Some platforms may use TS_PROCESS_CRASHED instead. /// TS_PROCESS_OOM = 3 } alias TS_ABNORMAL_TERMINATION = cef_termination_status_t.TS_ABNORMAL_TERMINATION; alias TS_PROCESS_WAS_KILLED = cef_termination_status_t.TS_PROCESS_WAS_KILLED; alias TS_PROCESS_CRASHED = cef_termination_status_t.TS_PROCESS_CRASHED; alias TS_PROCESS_OOM = cef_termination_status_t.TS_PROCESS_OOM; /// /// Path key values. /// enum cef_path_key_t { /// /// Current directory. /// PK_DIR_CURRENT = 0, /// /// Directory containing PK_FILE_EXE. /// PK_DIR_EXE = 1, /// /// Directory containing PK_FILE_MODULE. /// PK_DIR_MODULE = 2, /// /// Temporary directory. /// PK_DIR_TEMP = 3, /// /// Path and filename of the current executable. /// PK_FILE_EXE = 4, /// /// Path and filename of the module containing the CEF code (usually the /// libcef module). /// PK_FILE_MODULE = 5, /// /// "Local Settings\Application Data" directory under the user profile /// directory on Windows. /// PK_LOCAL_APP_DATA = 6, /// /// "Application Data" directory under the user profile directory on Windows /// and "~/Library/Application Support" directory on MacOS. /// PK_USER_DATA = 7, /// /// Directory containing application resources. Can be configured via /// CefSettings.resources_dir_path. /// PK_DIR_RESOURCES = 8 } alias PK_DIR_CURRENT = cef_path_key_t.PK_DIR_CURRENT; alias PK_DIR_EXE = cef_path_key_t.PK_DIR_EXE; alias PK_DIR_MODULE = cef_path_key_t.PK_DIR_MODULE; alias PK_DIR_TEMP = cef_path_key_t.PK_DIR_TEMP; alias PK_FILE_EXE = cef_path_key_t.PK_FILE_EXE; alias PK_FILE_MODULE = cef_path_key_t.PK_FILE_MODULE; alias PK_LOCAL_APP_DATA = cef_path_key_t.PK_LOCAL_APP_DATA; alias PK_USER_DATA = cef_path_key_t.PK_USER_DATA; alias PK_DIR_RESOURCES = cef_path_key_t.PK_DIR_RESOURCES; /// /// Storage types. /// enum cef_storage_type_t { ST_LOCALSTORAGE = 0, ST_SESSIONSTORAGE = 1 } alias ST_LOCALSTORAGE = cef_storage_type_t.ST_LOCALSTORAGE; alias ST_SESSIONSTORAGE = cef_storage_type_t.ST_SESSIONSTORAGE; /// /// Supported error code values. For the complete list of error values see /// "include/base/internal/cef_net_error_list.h". /// enum cef_errorcode_t { // No error. ERR_NONE = 0, ERR_IO_PENDING = -1, ERR_FAILED = -2, ERR_ABORTED = -3, ERR_INVALID_ARGUMENT = -4, ERR_INVALID_HANDLE = -5, ERR_FILE_NOT_FOUND = -6, ERR_TIMED_OUT = -7, ERR_FILE_TOO_BIG = -8, ERR_UNEXPECTED = -9, ERR_ACCESS_DENIED = -10, ERR_NOT_IMPLEMENTED = -11, ERR_INSUFFICIENT_RESOURCES = -12, ERR_OUT_OF_MEMORY = -13, ERR_UPLOAD_FILE_CHANGED = -14, ERR_SOCKET_NOT_CONNECTED = -15, ERR_FILE_EXISTS = -16, ERR_FILE_PATH_TOO_LONG = -17, ERR_FILE_NO_SPACE = -18, ERR_FILE_VIRUS_INFECTED = -19, ERR_BLOCKED_BY_CLIENT = -20, ERR_NETWORK_CHANGED = -21, ERR_BLOCKED_BY_ADMINISTRATOR = -22, ERR_SOCKET_IS_CONNECTED = -23, ERR_UPLOAD_STREAM_REWIND_NOT_SUPPORTED = -25, ERR_CONTEXT_SHUT_DOWN = -26, ERR_BLOCKED_BY_RESPONSE = -27, ERR_CLEARTEXT_NOT_PERMITTED = -29, ERR_BLOCKED_BY_CSP = -30, ERR_H2_OR_QUIC_REQUIRED = -31, ERR_BLOCKED_BY_ORB = -32, ERR_CONNECTION_CLOSED = -100, ERR_CONNECTION_RESET = -101, ERR_CONNECTION_REFUSED = -102, ERR_CONNECTION_ABORTED = -103, ERR_CONNECTION_FAILED = -104, ERR_NAME_NOT_RESOLVED = -105, ERR_INTERNET_DISCONNECTED = -106, ERR_SSL_PROTOCOL_ERROR = -107, ERR_ADDRESS_INVALID = -108, ERR_ADDRESS_UNREACHABLE = -109, ERR_SSL_CLIENT_AUTH_CERT_NEEDED = -110, ERR_TUNNEL_CONNECTION_FAILED = -111, ERR_NO_SSL_VERSIONS_ENABLED = -112, ERR_SSL_VERSION_OR_CIPHER_MISMATCH = -113, ERR_SSL_RENEGOTIATION_REQUESTED = -114, ERR_PROXY_AUTH_UNSUPPORTED = -115, ERR_BAD_SSL_CLIENT_AUTH_CERT = -117, ERR_CONNECTION_TIMED_OUT = -118, ERR_HOST_RESOLVER_QUEUE_TOO_LARGE = -119, ERR_SOCKS_CONNECTION_FAILED = -120, ERR_SOCKS_CONNECTION_HOST_UNREACHABLE = -121, ERR_ALPN_NEGOTIATION_FAILED = -122, ERR_SSL_NO_RENEGOTIATION = -123, ERR_WINSOCK_UNEXPECTED_WRITTEN_BYTES = -124, ERR_SSL_DECOMPRESSION_FAILURE_ALERT = -125, ERR_SSL_BAD_RECORD_MAC_ALERT = -126, ERR_PROXY_AUTH_REQUESTED = -127, ERR_PROXY_CONNECTION_FAILED = -130, ERR_MANDATORY_PROXY_CONFIGURATION_FAILED = -131, ERR_PRECONNECT_MAX_SOCKET_LIMIT = -133, ERR_SSL_CLIENT_AUTH_PRIVATE_KEY_ACCESS_DENIED = -134, ERR_SSL_CLIENT_AUTH_CERT_NO_PRIVATE_KEY = -135, ERR_PROXY_CERTIFICATE_INVALID = -136, ERR_NAME_RESOLUTION_FAILED = -137, ERR_NETWORK_ACCESS_DENIED = -138, ERR_TEMPORARILY_THROTTLED = -139, ERR_HTTPS_PROXY_TUNNEL_RESPONSE_REDIRECT = -140, ERR_SSL_CLIENT_AUTH_SIGNATURE_FAILED = -141, ERR_MSG_TOO_BIG = -142, ERR_WS_PROTOCOL_ERROR = -145, ERR_ADDRESS_IN_USE = -147, ERR_SSL_HANDSHAKE_NOT_COMPLETED = -148, ERR_SSL_BAD_PEER_PUBLIC_KEY = -149, ERR_SSL_PINNED_KEY_NOT_IN_CERT_CHAIN = -150, ERR_CLIENT_AUTH_CERT_TYPE_UNSUPPORTED = -151, ERR_SSL_DECRYPT_ERROR_ALERT = -153, ERR_WS_THROTTLE_QUEUE_TOO_LARGE = -154, ERR_SSL_SERVER_CERT_CHANGED = -156, ERR_SSL_UNRECOGNIZED_NAME_ALERT = -159, ERR_SOCKET_SET_RECEIVE_BUFFER_SIZE_ERROR = -160, ERR_SOCKET_SET_SEND_BUFFER_SIZE_ERROR = -161, ERR_SOCKET_RECEIVE_BUFFER_SIZE_UNCHANGEABLE = -162, ERR_SOCKET_SEND_BUFFER_SIZE_UNCHANGEABLE = -163, ERR_SSL_CLIENT_AUTH_CERT_BAD_FORMAT = -164, ERR_ICANN_NAME_COLLISION = -166, ERR_SSL_SERVER_CERT_BAD_FORMAT = -167, ERR_CT_STH_PARSING_FAILED = -168, ERR_CT_STH_INCOMPLETE = -169, ERR_UNABLE_TO_REUSE_CONNECTION_FOR_PROXY_AUTH = -170, ERR_CT_CONSISTENCY_PROOF_PARSING_FAILED = -171, ERR_SSL_OBSOLETE_CIPHER = -172, ERR_WS_UPGRADE = -173, ERR_READ_IF_READY_NOT_IMPLEMENTED = -174, ERR_NO_BUFFER_SPACE = -176, ERR_SSL_CLIENT_AUTH_NO_COMMON_ALGORITHMS = -177, ERR_EARLY_DATA_REJECTED = -178, ERR_WRONG_VERSION_ON_EARLY_DATA = -179, ERR_TLS13_DOWNGRADE_DETECTED = -180, ERR_SSL_KEY_USAGE_INCOMPATIBLE = -181, ERR_INVALID_ECH_CONFIG_LIST = -182, ERR_ECH_NOT_NEGOTIATED = -183, ERR_ECH_FALLBACK_CERTIFICATE_INVALID = -184, ERR_CERT_COMMON_NAME_INVALID = -200, ERR_CERT_DATE_INVALID = -201, ERR_CERT_AUTHORITY_INVALID = -202, ERR_CERT_CONTAINS_ERRORS = -203, ERR_CERT_NO_REVOCATION_MECHANISM = -204, ERR_CERT_UNABLE_TO_CHECK_REVOCATION = -205, ERR_CERT_REVOKED = -206, ERR_CERT_INVALID = -207, ERR_CERT_WEAK_SIGNATURE_ALGORITHM = -208, ERR_CERT_NON_UNIQUE_NAME = -210, ERR_CERT_WEAK_KEY = -211, ERR_CERT_NAME_CONSTRAINT_VIOLATION = -212, ERR_CERT_VALIDITY_TOO_LONG = -213, ERR_CERTIFICATE_TRANSPARENCY_REQUIRED = -214, ERR_CERT_SYMANTEC_LEGACY = -215, ERR_CERT_KNOWN_INTERCEPTION_BLOCKED = -217, ERR_CERT_END = -219, ERR_INVALID_URL = -300, ERR_DISALLOWED_URL_SCHEME = -301, ERR_UNKNOWN_URL_SCHEME = -302, ERR_INVALID_REDIRECT = -303, ERR_TOO_MANY_REDIRECTS = -310, ERR_UNSAFE_REDIRECT = -311, ERR_UNSAFE_PORT = -312, ERR_INVALID_RESPONSE = -320, ERR_INVALID_CHUNKED_ENCODING = -321, ERR_METHOD_NOT_SUPPORTED = -322, ERR_UNEXPECTED_PROXY_AUTH = -323, ERR_EMPTY_RESPONSE = -324, ERR_RESPONSE_HEADERS_TOO_BIG = -325, ERR_PAC_SCRIPT_FAILED = -327, ERR_REQUEST_RANGE_NOT_SATISFIABLE = -328, ERR_MALFORMED_IDENTITY = -329, ERR_CONTENT_DECODING_FAILED = -330, ERR_NETWORK_IO_SUSPENDED = -331, ERR_SYN_REPLY_NOT_RECEIVED = -332, ERR_ENCODING_CONVERSION_FAILED = -333, ERR_UNRECOGNIZED_FTP_DIRECTORY_LISTING_FORMAT = -334, ERR_NO_SUPPORTED_PROXIES = -336, ERR_HTTP2_PROTOCOL_ERROR = -337, ERR_INVALID_AUTH_CREDENTIALS = -338, ERR_UNSUPPORTED_AUTH_SCHEME = -339, ERR_ENCODING_DETECTION_FAILED = -340, ERR_MISSING_AUTH_CREDENTIALS = -341, ERR_UNEXPECTED_SECURITY_LIBRARY_STATUS = -342, ERR_MISCONFIGURED_AUTH_ENVIRONMENT = -343, ERR_UNDOCUMENTED_SECURITY_LIBRARY_STATUS = -344, ERR_RESPONSE_BODY_TOO_BIG_TO_DRAIN = -345, ERR_RESPONSE_HEADERS_MULTIPLE_CONTENT_LENGTH = -346, ERR_INCOMPLETE_HTTP2_HEADERS = -347, ERR_PAC_NOT_IN_DHCP = -348, ERR_RESPONSE_HEADERS_MULTIPLE_CONTENT_DISPOSITION = -349, ERR_RESPONSE_HEADERS_MULTIPLE_LOCATION = -350, ERR_HTTP2_SERVER_REFUSED_STREAM = -351, ERR_HTTP2_PING_FAILED = -352, ERR_CONTENT_LENGTH_MISMATCH = -354, ERR_INCOMPLETE_CHUNKED_ENCODING = -355, ERR_QUIC_PROTOCOL_ERROR = -356, ERR_RESPONSE_HEADERS_TRUNCATED = -357, ERR_QUIC_HANDSHAKE_FAILED = -358, ERR_HTTP2_INADEQUATE_TRANSPORT_SECURITY = -360, ERR_HTTP2_FLOW_CONTROL_ERROR = -361, ERR_HTTP2_FRAME_SIZE_ERROR = -362, ERR_HTTP2_COMPRESSION_ERROR = -363, ERR_PROXY_AUTH_REQUESTED_WITH_NO_CONNECTION = -364, ERR_HTTP_1_1_REQUIRED = -365, ERR_PROXY_HTTP_1_1_REQUIRED = -366, ERR_PAC_SCRIPT_TERMINATED = -367, ERR_INVALID_HTTP_RESPONSE = -370, ERR_CONTENT_DECODING_INIT_FAILED = -371, ERR_HTTP2_RST_STREAM_NO_ERROR_RECEIVED = -372, ERR_TOO_MANY_RETRIES = -375, ERR_HTTP2_STREAM_CLOSED = -376, ERR_HTTP_RESPONSE_CODE_FAILURE = -379, ERR_QUIC_CERT_ROOT_NOT_KNOWN = -380, ERR_QUIC_GOAWAY_REQUEST_CAN_BE_RETRIED = -381, ERR_TOO_MANY_ACCEPT_CH_RESTARTS = -382, ERR_INCONSISTENT_IP_ADDRESS_SPACE = -383, ERR_CACHED_IP_ADDRESS_SPACE_BLOCKED_BY_PRIVATE_NETWORK_ACCESS_POLICY = -384, ERR_CACHE_MISS = -400, ERR_CACHE_READ_FAILURE = -401, ERR_CACHE_WRITE_FAILURE = -402, ERR_CACHE_OPERATION_NOT_SUPPORTED = -403, ERR_CACHE_OPEN_FAILURE = -404, ERR_CACHE_CREATE_FAILURE = -405, ERR_CACHE_RACE = -406, ERR_CACHE_CHECKSUM_READ_FAILURE = -407, ERR_CACHE_CHECKSUM_MISMATCH = -408, ERR_CACHE_LOCK_TIMEOUT = -409, ERR_CACHE_AUTH_FAILURE_AFTER_READ = -410, /// /// Supported certificate status code values. See net\cert\cert_status_flags.h /// for more information. CERT_STATUS_NONE is new in CEF because we use an /// enum while cert_status_flags.h uses a typedef and static const variables. ERR_CACHE_ENTRY_NOT_SUITABLE = -411, /// ERR_CACHE_DOOM_FAILURE = -412, // 1 << 3 is reserved for ERR_CERT_CONTAINS_ERRORS (not useful with WinHTTP). ERR_CACHE_OPEN_OR_CREATE_FAILURE = -413, ERR_INSECURE_RESPONSE = -501, ERR_NO_PRIVATE_KEY_FOR_CERT = -502, // 1 << 9 was used for CERT_STATUS_NOT_IN_DNS ERR_ADD_USER_CERT_FAILED = -503, // 1 << 12 was used for CERT_STATUS_WEAK_DH_KEY ERR_INVALID_SIGNED_EXCHANGE = -504, ERR_INVALID_WEB_BUNDLE = -505, // Bits 16 to 31 are for non-error statuses. // Bit 18 was CERT_STATUS_IS_DNSSEC ERR_TRUST_TOKEN_OPERATION_FAILED = -506, /// /// The manner in which a link click should be opened. These constants match /// their equivalents in Chromium's window_open_disposition.h and should not be /// renumbered. /// /// /// Current tab. This is the default in most cases. /// /// /// Indicates that only one tab with the url should exist in the same window. ERR_TRUST_TOKEN_OPERATION_SUCCESS_WITHOUT_SENDING_REQUEST = -507, /// /// /// Shift key + Middle mouse button or meta/ctrl key while clicking. /// /// /// Middle mouse button or meta/ctrl key while clicking. ERR_FTP_FAILED = -601, /// /// /// New popup window. /// /// /// Shift key while clicking. /// ERR_FTP_SERVICE_UNAVAILABLE = -602, /// /// Alt key while clicking. /// /// /// New off-the-record (incognito) window. ERR_FTP_TRANSFER_ABORTED = -603, /// /// /// Special case error condition from the renderer. /// /// ERR_FTP_FILE_BUSY = -604, /// Activates an existing tab containing the url, rather than navigating. /// This is similar to SINGLETON_TAB, but searches across all windows from ERR_FTP_SYNTAX_ERROR = -605, /// the current profile and anonymity (instead of just the current one); /// closes the current tab on switching if the current tab was the NTP with ERR_FTP_COMMAND_NOT_SUPPORTED = -606, /// no session history; and behaves like CURRENT_TAB instead of /// NEW_FOREGROUND_TAB when no existing tab is found. ERR_FTP_BAD_COMMAND_SEQUENCE = -607, /// /// /// Creates a new document picture-in-picture window showing a child WebView. ERR_PKCS12_IMPORT_BAD_PASSWORD = -701, /// ERR_PKCS12_IMPORT_FAILED = -702, /// /// "Verb" of a drag-and-drop operation as negotiated between the source and ERR_IMPORT_CA_CERT_NOT_CA = -703, /// destination. These constants match their equivalents in WebCore's /// DragActions.h and should not be renumbered. /// ERR_IMPORT_CERT_ALREADY_EXISTS = -704, ERR_IMPORT_CA_CERT_FAILED = -705, ERR_IMPORT_SERVER_CERT_FAILED = -706, /// /// Input mode of a virtual keyboard. These constants match their equivalents ERR_PKCS12_IMPORT_INVALID_MAC = -707, /// in Chromium's text_input_mode.h and should not be renumbered. /// See https://html.spec.whatwg.org/#input-modalities:-the-inputmode-attribute ERR_PKCS12_IMPORT_INVALID_FILE = -708, /// ERR_PKCS12_IMPORT_UNSUPPORTED = -709, ERR_KEY_GENERATION_FAILED = -710, ERR_PRIVATE_KEY_EXPORT_FAILED = -712, ERR_SELF_SIGNED_CERT_GENERATION_FAILED = -713, /// /// V8 access control values. /// ERR_CERT_DATABASE_CHANGED = -714, ERR_CERT_VERIFIER_CHANGED = -716, /// /// V8 property attribute values. /// /// /// Writeable, Enumerable, Configurable ERR_DNS_MALFORMED_RESPONSE = -800, /// /// /// Not writeable ERR_DNS_SERVER_REQUIRES_TCP = -801, /// /// /// Not enumerable /// /// /// Not configurable /// /// /// Post data elements may represent either bytes or files. /// /// /// Resource type for a request. These constants match their equivalents in /// Chromium's ResourceType and should not be renumbered. ERR_DNS_SERVER_FAILED = -802, /// /// /// Top level page. ERR_DNS_TIMED_OUT = -803, /// /// /// Frame or iframe. /// /// /// CSS stylesheet. /// /// /// External script. /// /// /// Image (jpg/gif/png/etc). /// /// /// Font. /// ERR_DNS_CACHE_MISS = -804, /// /// Some other subresource. This is the default type if the actual type is /// unknown. ERR_DNS_SEARCH_EMPTY = -805, /// /// /// Object (or embed) tag for a plugin, or a resource that a plugin requested. ERR_DNS_SORT_ERROR = -806, /// /// /// Media resource. /// /// /// Main resource of a dedicated worker. ERR_DNS_SECURE_RESOLVER_HOSTNAME_RESOLUTION_FAILED = -808, /// /// /// Main resource of a shared worker. /// /// /// Explicitly requested prefetch. /// /// /// Favicon. /// /// /// XMLHttpRequest. ERR_DNS_NAME_HTTPS_ONLY = -809, /// /// /// A request for a "". /// /// /// Main resource of a service worker. ERR_DNS_REQUEST_CANCELLED = -810, /// /// /// A report of Content Security Policy violations. /// /// /// A resource that a plugin requested. ERR_DNS_NO_MATCHING_SUPPORTED_ALPN = -811, /// /// /// A main-frame service worker navigation preload request. ERR_DICTIONARY_LOAD_FAILED = -812 } alias ERR_NONE = cef_errorcode_t.ERR_NONE; alias ERR_IO_PENDING = cef_errorcode_t.ERR_IO_PENDING; alias ERR_FAILED = cef_errorcode_t.ERR_FAILED; alias ERR_ABORTED = cef_errorcode_t.ERR_ABORTED; alias ERR_INVALID_ARGUMENT = cef_errorcode_t.ERR_INVALID_ARGUMENT; alias ERR_INVALID_HANDLE = cef_errorcode_t.ERR_INVALID_HANDLE; alias ERR_FILE_NOT_FOUND = cef_errorcode_t.ERR_FILE_NOT_FOUND; alias ERR_TIMED_OUT = cef_errorcode_t.ERR_TIMED_OUT; alias ERR_FILE_TOO_BIG = cef_errorcode_t.ERR_FILE_TOO_BIG; alias ERR_UNEXPECTED = cef_errorcode_t.ERR_UNEXPECTED; alias ERR_ACCESS_DENIED = cef_errorcode_t.ERR_ACCESS_DENIED; alias ERR_NOT_IMPLEMENTED = cef_errorcode_t.ERR_NOT_IMPLEMENTED; alias ERR_INSUFFICIENT_RESOURCES = cef_errorcode_t.ERR_INSUFFICIENT_RESOURCES; alias ERR_OUT_OF_MEMORY = cef_errorcode_t.ERR_OUT_OF_MEMORY; alias ERR_UPLOAD_FILE_CHANGED = cef_errorcode_t.ERR_UPLOAD_FILE_CHANGED; alias ERR_SOCKET_NOT_CONNECTED = cef_errorcode_t.ERR_SOCKET_NOT_CONNECTED; alias ERR_FILE_EXISTS = cef_errorcode_t.ERR_FILE_EXISTS; alias ERR_FILE_PATH_TOO_LONG = cef_errorcode_t.ERR_FILE_PATH_TOO_LONG; alias ERR_FILE_NO_SPACE = cef_errorcode_t.ERR_FILE_NO_SPACE; alias ERR_FILE_VIRUS_INFECTED = cef_errorcode_t.ERR_FILE_VIRUS_INFECTED; alias ERR_BLOCKED_BY_CLIENT = cef_errorcode_t.ERR_BLOCKED_BY_CLIENT; alias ERR_NETWORK_CHANGED = cef_errorcode_t.ERR_NETWORK_CHANGED; alias ERR_BLOCKED_BY_ADMINISTRATOR = cef_errorcode_t.ERR_BLOCKED_BY_ADMINISTRATOR; alias ERR_SOCKET_IS_CONNECTED = cef_errorcode_t.ERR_SOCKET_IS_CONNECTED; alias ERR_UPLOAD_STREAM_REWIND_NOT_SUPPORTED = cef_errorcode_t.ERR_UPLOAD_STREAM_REWIND_NOT_SUPPORTED; alias ERR_CONTEXT_SHUT_DOWN = cef_errorcode_t.ERR_CONTEXT_SHUT_DOWN; alias ERR_BLOCKED_BY_RESPONSE = cef_errorcode_t.ERR_BLOCKED_BY_RESPONSE; alias ERR_CLEARTEXT_NOT_PERMITTED = cef_errorcode_t.ERR_CLEARTEXT_NOT_PERMITTED; alias ERR_BLOCKED_BY_CSP = cef_errorcode_t.ERR_BLOCKED_BY_CSP; alias ERR_H2_OR_QUIC_REQUIRED = cef_errorcode_t.ERR_H2_OR_QUIC_REQUIRED; alias ERR_BLOCKED_BY_ORB = cef_errorcode_t.ERR_BLOCKED_BY_ORB; alias ERR_CONNECTION_CLOSED = cef_errorcode_t.ERR_CONNECTION_CLOSED; alias ERR_CONNECTION_RESET = cef_errorcode_t.ERR_CONNECTION_RESET; alias ERR_CONNECTION_REFUSED = cef_errorcode_t.ERR_CONNECTION_REFUSED; alias ERR_CONNECTION_ABORTED = cef_errorcode_t.ERR_CONNECTION_ABORTED; alias ERR_CONNECTION_FAILED = cef_errorcode_t.ERR_CONNECTION_FAILED; alias ERR_NAME_NOT_RESOLVED = cef_errorcode_t.ERR_NAME_NOT_RESOLVED; alias ERR_INTERNET_DISCONNECTED = cef_errorcode_t.ERR_INTERNET_DISCONNECTED; alias ERR_SSL_PROTOCOL_ERROR = cef_errorcode_t.ERR_SSL_PROTOCOL_ERROR; alias ERR_ADDRESS_INVALID = cef_errorcode_t.ERR_ADDRESS_INVALID; alias ERR_ADDRESS_UNREACHABLE = cef_errorcode_t.ERR_ADDRESS_UNREACHABLE; alias ERR_SSL_CLIENT_AUTH_CERT_NEEDED = cef_errorcode_t.ERR_SSL_CLIENT_AUTH_CERT_NEEDED; alias ERR_TUNNEL_CONNECTION_FAILED = cef_errorcode_t.ERR_TUNNEL_CONNECTION_FAILED; alias ERR_NO_SSL_VERSIONS_ENABLED = cef_errorcode_t.ERR_NO_SSL_VERSIONS_ENABLED; alias ERR_SSL_VERSION_OR_CIPHER_MISMATCH = cef_errorcode_t.ERR_SSL_VERSION_OR_CIPHER_MISMATCH; alias ERR_SSL_RENEGOTIATION_REQUESTED = cef_errorcode_t.ERR_SSL_RENEGOTIATION_REQUESTED; alias ERR_PROXY_AUTH_UNSUPPORTED = cef_errorcode_t.ERR_PROXY_AUTH_UNSUPPORTED; alias ERR_BAD_SSL_CLIENT_AUTH_CERT = cef_errorcode_t.ERR_BAD_SSL_CLIENT_AUTH_CERT; alias ERR_CONNECTION_TIMED_OUT = cef_errorcode_t.ERR_CONNECTION_TIMED_OUT; alias ERR_HOST_RESOLVER_QUEUE_TOO_LARGE = cef_errorcode_t.ERR_HOST_RESOLVER_QUEUE_TOO_LARGE; alias ERR_SOCKS_CONNECTION_FAILED = cef_errorcode_t.ERR_SOCKS_CONNECTION_FAILED; alias ERR_SOCKS_CONNECTION_HOST_UNREACHABLE = cef_errorcode_t.ERR_SOCKS_CONNECTION_HOST_UNREACHABLE; alias ERR_ALPN_NEGOTIATION_FAILED = cef_errorcode_t.ERR_ALPN_NEGOTIATION_FAILED; alias ERR_SSL_NO_RENEGOTIATION = cef_errorcode_t.ERR_SSL_NO_RENEGOTIATION; alias ERR_WINSOCK_UNEXPECTED_WRITTEN_BYTES = cef_errorcode_t.ERR_WINSOCK_UNEXPECTED_WRITTEN_BYTES; alias ERR_SSL_DECOMPRESSION_FAILURE_ALERT = cef_errorcode_t.ERR_SSL_DECOMPRESSION_FAILURE_ALERT; alias ERR_SSL_BAD_RECORD_MAC_ALERT = cef_errorcode_t.ERR_SSL_BAD_RECORD_MAC_ALERT; alias ERR_PROXY_AUTH_REQUESTED = cef_errorcode_t.ERR_PROXY_AUTH_REQUESTED; alias ERR_PROXY_CONNECTION_FAILED = cef_errorcode_t.ERR_PROXY_CONNECTION_FAILED; alias ERR_MANDATORY_PROXY_CONFIGURATION_FAILED = cef_errorcode_t.ERR_MANDATORY_PROXY_CONFIGURATION_FAILED; alias ERR_PRECONNECT_MAX_SOCKET_LIMIT = cef_errorcode_t.ERR_PRECONNECT_MAX_SOCKET_LIMIT; alias ERR_SSL_CLIENT_AUTH_PRIVATE_KEY_ACCESS_DENIED = cef_errorcode_t.ERR_SSL_CLIENT_AUTH_PRIVATE_KEY_ACCESS_DENIED; alias ERR_SSL_CLIENT_AUTH_CERT_NO_PRIVATE_KEY = cef_errorcode_t.ERR_SSL_CLIENT_AUTH_CERT_NO_PRIVATE_KEY; alias ERR_PROXY_CERTIFICATE_INVALID = cef_errorcode_t.ERR_PROXY_CERTIFICATE_INVALID; alias ERR_NAME_RESOLUTION_FAILED = cef_errorcode_t.ERR_NAME_RESOLUTION_FAILED; alias ERR_NETWORK_ACCESS_DENIED = cef_errorcode_t.ERR_NETWORK_ACCESS_DENIED; alias ERR_TEMPORARILY_THROTTLED = cef_errorcode_t.ERR_TEMPORARILY_THROTTLED; alias ERR_HTTPS_PROXY_TUNNEL_RESPONSE_REDIRECT = cef_errorcode_t.ERR_HTTPS_PROXY_TUNNEL_RESPONSE_REDIRECT; alias ERR_SSL_CLIENT_AUTH_SIGNATURE_FAILED = cef_errorcode_t.ERR_SSL_CLIENT_AUTH_SIGNATURE_FAILED; alias ERR_MSG_TOO_BIG = cef_errorcode_t.ERR_MSG_TOO_BIG; alias ERR_WS_PROTOCOL_ERROR = cef_errorcode_t.ERR_WS_PROTOCOL_ERROR; alias ERR_ADDRESS_IN_USE = cef_errorcode_t.ERR_ADDRESS_IN_USE; alias ERR_SSL_HANDSHAKE_NOT_COMPLETED = cef_errorcode_t.ERR_SSL_HANDSHAKE_NOT_COMPLETED; alias ERR_SSL_BAD_PEER_PUBLIC_KEY = cef_errorcode_t.ERR_SSL_BAD_PEER_PUBLIC_KEY; alias ERR_SSL_PINNED_KEY_NOT_IN_CERT_CHAIN = cef_errorcode_t.ERR_SSL_PINNED_KEY_NOT_IN_CERT_CHAIN; alias ERR_CLIENT_AUTH_CERT_TYPE_UNSUPPORTED = cef_errorcode_t.ERR_CLIENT_AUTH_CERT_TYPE_UNSUPPORTED; alias ERR_SSL_DECRYPT_ERROR_ALERT = cef_errorcode_t.ERR_SSL_DECRYPT_ERROR_ALERT; alias ERR_WS_THROTTLE_QUEUE_TOO_LARGE = cef_errorcode_t.ERR_WS_THROTTLE_QUEUE_TOO_LARGE; alias ERR_SSL_SERVER_CERT_CHANGED = cef_errorcode_t.ERR_SSL_SERVER_CERT_CHANGED; alias ERR_SSL_UNRECOGNIZED_NAME_ALERT = cef_errorcode_t.ERR_SSL_UNRECOGNIZED_NAME_ALERT; alias ERR_SOCKET_SET_RECEIVE_BUFFER_SIZE_ERROR = cef_errorcode_t.ERR_SOCKET_SET_RECEIVE_BUFFER_SIZE_ERROR; alias ERR_SOCKET_SET_SEND_BUFFER_SIZE_ERROR = cef_errorcode_t.ERR_SOCKET_SET_SEND_BUFFER_SIZE_ERROR; alias ERR_SOCKET_RECEIVE_BUFFER_SIZE_UNCHANGEABLE = cef_errorcode_t.ERR_SOCKET_RECEIVE_BUFFER_SIZE_UNCHANGEABLE; alias ERR_SOCKET_SEND_BUFFER_SIZE_UNCHANGEABLE = cef_errorcode_t.ERR_SOCKET_SEND_BUFFER_SIZE_UNCHANGEABLE; alias ERR_SSL_CLIENT_AUTH_CERT_BAD_FORMAT = cef_errorcode_t.ERR_SSL_CLIENT_AUTH_CERT_BAD_FORMAT; alias ERR_ICANN_NAME_COLLISION = cef_errorcode_t.ERR_ICANN_NAME_COLLISION; alias ERR_SSL_SERVER_CERT_BAD_FORMAT = cef_errorcode_t.ERR_SSL_SERVER_CERT_BAD_FORMAT; alias ERR_CT_STH_PARSING_FAILED = cef_errorcode_t.ERR_CT_STH_PARSING_FAILED; alias ERR_CT_STH_INCOMPLETE = cef_errorcode_t.ERR_CT_STH_INCOMPLETE; alias ERR_UNABLE_TO_REUSE_CONNECTION_FOR_PROXY_AUTH = cef_errorcode_t.ERR_UNABLE_TO_REUSE_CONNECTION_FOR_PROXY_AUTH; alias ERR_CT_CONSISTENCY_PROOF_PARSING_FAILED = cef_errorcode_t.ERR_CT_CONSISTENCY_PROOF_PARSING_FAILED; alias ERR_SSL_OBSOLETE_CIPHER = cef_errorcode_t.ERR_SSL_OBSOLETE_CIPHER; alias ERR_WS_UPGRADE = cef_errorcode_t.ERR_WS_UPGRADE; alias ERR_READ_IF_READY_NOT_IMPLEMENTED = cef_errorcode_t.ERR_READ_IF_READY_NOT_IMPLEMENTED; alias ERR_NO_BUFFER_SPACE = cef_errorcode_t.ERR_NO_BUFFER_SPACE; alias ERR_SSL_CLIENT_AUTH_NO_COMMON_ALGORITHMS = cef_errorcode_t.ERR_SSL_CLIENT_AUTH_NO_COMMON_ALGORITHMS; alias ERR_EARLY_DATA_REJECTED = cef_errorcode_t.ERR_EARLY_DATA_REJECTED; alias ERR_WRONG_VERSION_ON_EARLY_DATA = cef_errorcode_t.ERR_WRONG_VERSION_ON_EARLY_DATA; alias ERR_TLS13_DOWNGRADE_DETECTED = cef_errorcode_t.ERR_TLS13_DOWNGRADE_DETECTED; alias ERR_SSL_KEY_USAGE_INCOMPATIBLE = cef_errorcode_t.ERR_SSL_KEY_USAGE_INCOMPATIBLE; alias ERR_INVALID_ECH_CONFIG_LIST = cef_errorcode_t.ERR_INVALID_ECH_CONFIG_LIST; alias ERR_ECH_NOT_NEGOTIATED = cef_errorcode_t.ERR_ECH_NOT_NEGOTIATED; alias ERR_ECH_FALLBACK_CERTIFICATE_INVALID = cef_errorcode_t.ERR_ECH_FALLBACK_CERTIFICATE_INVALID; alias ERR_CERT_COMMON_NAME_INVALID = cef_errorcode_t.ERR_CERT_COMMON_NAME_INVALID; alias ERR_CERT_DATE_INVALID = cef_errorcode_t.ERR_CERT_DATE_INVALID; alias ERR_CERT_AUTHORITY_INVALID = cef_errorcode_t.ERR_CERT_AUTHORITY_INVALID; alias ERR_CERT_CONTAINS_ERRORS = cef_errorcode_t.ERR_CERT_CONTAINS_ERRORS; alias ERR_CERT_NO_REVOCATION_MECHANISM = cef_errorcode_t.ERR_CERT_NO_REVOCATION_MECHANISM; alias ERR_CERT_UNABLE_TO_CHECK_REVOCATION = cef_errorcode_t.ERR_CERT_UNABLE_TO_CHECK_REVOCATION; alias ERR_CERT_REVOKED = cef_errorcode_t.ERR_CERT_REVOKED; alias ERR_CERT_INVALID = cef_errorcode_t.ERR_CERT_INVALID; alias ERR_CERT_WEAK_SIGNATURE_ALGORITHM = cef_errorcode_t.ERR_CERT_WEAK_SIGNATURE_ALGORITHM; alias ERR_CERT_NON_UNIQUE_NAME = cef_errorcode_t.ERR_CERT_NON_UNIQUE_NAME; alias ERR_CERT_WEAK_KEY = cef_errorcode_t.ERR_CERT_WEAK_KEY; alias ERR_CERT_NAME_CONSTRAINT_VIOLATION = cef_errorcode_t.ERR_CERT_NAME_CONSTRAINT_VIOLATION; alias ERR_CERT_VALIDITY_TOO_LONG = cef_errorcode_t.ERR_CERT_VALIDITY_TOO_LONG; alias ERR_CERTIFICATE_TRANSPARENCY_REQUIRED = cef_errorcode_t.ERR_CERTIFICATE_TRANSPARENCY_REQUIRED; alias ERR_CERT_SYMANTEC_LEGACY = cef_errorcode_t.ERR_CERT_SYMANTEC_LEGACY; alias ERR_CERT_KNOWN_INTERCEPTION_BLOCKED = cef_errorcode_t.ERR_CERT_KNOWN_INTERCEPTION_BLOCKED; alias ERR_CERT_END = cef_errorcode_t.ERR_CERT_END; alias ERR_INVALID_URL = cef_errorcode_t.ERR_INVALID_URL; alias ERR_DISALLOWED_URL_SCHEME = cef_errorcode_t.ERR_DISALLOWED_URL_SCHEME; alias ERR_UNKNOWN_URL_SCHEME = cef_errorcode_t.ERR_UNKNOWN_URL_SCHEME; alias ERR_INVALID_REDIRECT = cef_errorcode_t.ERR_INVALID_REDIRECT; alias ERR_TOO_MANY_REDIRECTS = cef_errorcode_t.ERR_TOO_MANY_REDIRECTS; alias ERR_UNSAFE_REDIRECT = cef_errorcode_t.ERR_UNSAFE_REDIRECT; alias ERR_UNSAFE_PORT = cef_errorcode_t.ERR_UNSAFE_PORT; alias ERR_INVALID_RESPONSE = cef_errorcode_t.ERR_INVALID_RESPONSE; alias ERR_INVALID_CHUNKED_ENCODING = cef_errorcode_t.ERR_INVALID_CHUNKED_ENCODING; alias ERR_METHOD_NOT_SUPPORTED = cef_errorcode_t.ERR_METHOD_NOT_SUPPORTED; alias ERR_UNEXPECTED_PROXY_AUTH = cef_errorcode_t.ERR_UNEXPECTED_PROXY_AUTH; alias ERR_EMPTY_RESPONSE = cef_errorcode_t.ERR_EMPTY_RESPONSE; alias ERR_RESPONSE_HEADERS_TOO_BIG = cef_errorcode_t.ERR_RESPONSE_HEADERS_TOO_BIG; alias ERR_PAC_SCRIPT_FAILED = cef_errorcode_t.ERR_PAC_SCRIPT_FAILED; alias ERR_REQUEST_RANGE_NOT_SATISFIABLE = cef_errorcode_t.ERR_REQUEST_RANGE_NOT_SATISFIABLE; alias ERR_MALFORMED_IDENTITY = cef_errorcode_t.ERR_MALFORMED_IDENTITY; alias ERR_CONTENT_DECODING_FAILED = cef_errorcode_t.ERR_CONTENT_DECODING_FAILED; alias ERR_NETWORK_IO_SUSPENDED = cef_errorcode_t.ERR_NETWORK_IO_SUSPENDED; alias ERR_SYN_REPLY_NOT_RECEIVED = cef_errorcode_t.ERR_SYN_REPLY_NOT_RECEIVED; alias ERR_ENCODING_CONVERSION_FAILED = cef_errorcode_t.ERR_ENCODING_CONVERSION_FAILED; alias ERR_UNRECOGNIZED_FTP_DIRECTORY_LISTING_FORMAT = cef_errorcode_t.ERR_UNRECOGNIZED_FTP_DIRECTORY_LISTING_FORMAT; alias ERR_NO_SUPPORTED_PROXIES = cef_errorcode_t.ERR_NO_SUPPORTED_PROXIES; alias ERR_HTTP2_PROTOCOL_ERROR = cef_errorcode_t.ERR_HTTP2_PROTOCOL_ERROR; alias ERR_INVALID_AUTH_CREDENTIALS = cef_errorcode_t.ERR_INVALID_AUTH_CREDENTIALS; alias ERR_UNSUPPORTED_AUTH_SCHEME = cef_errorcode_t.ERR_UNSUPPORTED_AUTH_SCHEME; alias ERR_ENCODING_DETECTION_FAILED = cef_errorcode_t.ERR_ENCODING_DETECTION_FAILED; alias ERR_MISSING_AUTH_CREDENTIALS = cef_errorcode_t.ERR_MISSING_AUTH_CREDENTIALS; alias ERR_UNEXPECTED_SECURITY_LIBRARY_STATUS = cef_errorcode_t.ERR_UNEXPECTED_SECURITY_LIBRARY_STATUS; alias ERR_MISCONFIGURED_AUTH_ENVIRONMENT = cef_errorcode_t.ERR_MISCONFIGURED_AUTH_ENVIRONMENT; alias ERR_UNDOCUMENTED_SECURITY_LIBRARY_STATUS = cef_errorcode_t.ERR_UNDOCUMENTED_SECURITY_LIBRARY_STATUS; alias ERR_RESPONSE_BODY_TOO_BIG_TO_DRAIN = cef_errorcode_t.ERR_RESPONSE_BODY_TOO_BIG_TO_DRAIN; alias ERR_RESPONSE_HEADERS_MULTIPLE_CONTENT_LENGTH = cef_errorcode_t.ERR_RESPONSE_HEADERS_MULTIPLE_CONTENT_LENGTH; alias ERR_INCOMPLETE_HTTP2_HEADERS = cef_errorcode_t.ERR_INCOMPLETE_HTTP2_HEADERS; alias ERR_PAC_NOT_IN_DHCP = cef_errorcode_t.ERR_PAC_NOT_IN_DHCP; alias ERR_RESPONSE_HEADERS_MULTIPLE_CONTENT_DISPOSITION = cef_errorcode_t.ERR_RESPONSE_HEADERS_MULTIPLE_CONTENT_DISPOSITION; alias ERR_RESPONSE_HEADERS_MULTIPLE_LOCATION = cef_errorcode_t.ERR_RESPONSE_HEADERS_MULTIPLE_LOCATION; alias ERR_HTTP2_SERVER_REFUSED_STREAM = cef_errorcode_t.ERR_HTTP2_SERVER_REFUSED_STREAM; alias ERR_HTTP2_PING_FAILED = cef_errorcode_t.ERR_HTTP2_PING_FAILED; alias ERR_CONTENT_LENGTH_MISMATCH = cef_errorcode_t.ERR_CONTENT_LENGTH_MISMATCH; alias ERR_INCOMPLETE_CHUNKED_ENCODING = cef_errorcode_t.ERR_INCOMPLETE_CHUNKED_ENCODING; alias ERR_QUIC_PROTOCOL_ERROR = cef_errorcode_t.ERR_QUIC_PROTOCOL_ERROR; alias ERR_RESPONSE_HEADERS_TRUNCATED = cef_errorcode_t.ERR_RESPONSE_HEADERS_TRUNCATED; alias ERR_QUIC_HANDSHAKE_FAILED = cef_errorcode_t.ERR_QUIC_HANDSHAKE_FAILED; alias ERR_HTTP2_INADEQUATE_TRANSPORT_SECURITY = cef_errorcode_t.ERR_HTTP2_INADEQUATE_TRANSPORT_SECURITY; alias ERR_HTTP2_FLOW_CONTROL_ERROR = cef_errorcode_t.ERR_HTTP2_FLOW_CONTROL_ERROR; alias ERR_HTTP2_FRAME_SIZE_ERROR = cef_errorcode_t.ERR_HTTP2_FRAME_SIZE_ERROR; alias ERR_HTTP2_COMPRESSION_ERROR = cef_errorcode_t.ERR_HTTP2_COMPRESSION_ERROR; alias ERR_PROXY_AUTH_REQUESTED_WITH_NO_CONNECTION = cef_errorcode_t.ERR_PROXY_AUTH_REQUESTED_WITH_NO_CONNECTION; alias ERR_HTTP_1_1_REQUIRED = cef_errorcode_t.ERR_HTTP_1_1_REQUIRED; alias ERR_PROXY_HTTP_1_1_REQUIRED = cef_errorcode_t.ERR_PROXY_HTTP_1_1_REQUIRED; alias ERR_PAC_SCRIPT_TERMINATED = cef_errorcode_t.ERR_PAC_SCRIPT_TERMINATED; alias ERR_INVALID_HTTP_RESPONSE = cef_errorcode_t.ERR_INVALID_HTTP_RESPONSE; alias ERR_CONTENT_DECODING_INIT_FAILED = cef_errorcode_t.ERR_CONTENT_DECODING_INIT_FAILED; alias ERR_HTTP2_RST_STREAM_NO_ERROR_RECEIVED = cef_errorcode_t.ERR_HTTP2_RST_STREAM_NO_ERROR_RECEIVED; alias ERR_TOO_MANY_RETRIES = cef_errorcode_t.ERR_TOO_MANY_RETRIES; alias ERR_HTTP2_STREAM_CLOSED = cef_errorcode_t.ERR_HTTP2_STREAM_CLOSED; alias ERR_HTTP_RESPONSE_CODE_FAILURE = cef_errorcode_t.ERR_HTTP_RESPONSE_CODE_FAILURE; alias ERR_QUIC_CERT_ROOT_NOT_KNOWN = cef_errorcode_t.ERR_QUIC_CERT_ROOT_NOT_KNOWN; alias ERR_QUIC_GOAWAY_REQUEST_CAN_BE_RETRIED = cef_errorcode_t.ERR_QUIC_GOAWAY_REQUEST_CAN_BE_RETRIED; alias ERR_TOO_MANY_ACCEPT_CH_RESTARTS = cef_errorcode_t.ERR_TOO_MANY_ACCEPT_CH_RESTARTS; alias ERR_INCONSISTENT_IP_ADDRESS_SPACE = cef_errorcode_t.ERR_INCONSISTENT_IP_ADDRESS_SPACE; alias ERR_CACHED_IP_ADDRESS_SPACE_BLOCKED_BY_PRIVATE_NETWORK_ACCESS_POLICY = cef_errorcode_t.ERR_CACHED_IP_ADDRESS_SPACE_BLOCKED_BY_PRIVATE_NETWORK_ACCESS_POLICY; alias ERR_CACHE_MISS = cef_errorcode_t.ERR_CACHE_MISS; alias ERR_CACHE_READ_FAILURE = cef_errorcode_t.ERR_CACHE_READ_FAILURE; alias ERR_CACHE_WRITE_FAILURE = cef_errorcode_t.ERR_CACHE_WRITE_FAILURE; alias ERR_CACHE_OPERATION_NOT_SUPPORTED = cef_errorcode_t.ERR_CACHE_OPERATION_NOT_SUPPORTED; alias ERR_CACHE_OPEN_FAILURE = cef_errorcode_t.ERR_CACHE_OPEN_FAILURE; alias ERR_CACHE_CREATE_FAILURE = cef_errorcode_t.ERR_CACHE_CREATE_FAILURE; alias ERR_CACHE_RACE = cef_errorcode_t.ERR_CACHE_RACE; alias ERR_CACHE_CHECKSUM_READ_FAILURE = cef_errorcode_t.ERR_CACHE_CHECKSUM_READ_FAILURE; alias ERR_CACHE_CHECKSUM_MISMATCH = cef_errorcode_t.ERR_CACHE_CHECKSUM_MISMATCH; alias ERR_CACHE_LOCK_TIMEOUT = cef_errorcode_t.ERR_CACHE_LOCK_TIMEOUT; alias ERR_CACHE_AUTH_FAILURE_AFTER_READ = cef_errorcode_t.ERR_CACHE_AUTH_FAILURE_AFTER_READ; alias ERR_CACHE_ENTRY_NOT_SUITABLE = cef_errorcode_t.ERR_CACHE_ENTRY_NOT_SUITABLE; alias ERR_CACHE_DOOM_FAILURE = cef_errorcode_t.ERR_CACHE_DOOM_FAILURE; alias ERR_CACHE_OPEN_OR_CREATE_FAILURE = cef_errorcode_t.ERR_CACHE_OPEN_OR_CREATE_FAILURE; alias ERR_INSECURE_RESPONSE = cef_errorcode_t.ERR_INSECURE_RESPONSE; alias ERR_NO_PRIVATE_KEY_FOR_CERT = cef_errorcode_t.ERR_NO_PRIVATE_KEY_FOR_CERT; alias ERR_ADD_USER_CERT_FAILED = cef_errorcode_t.ERR_ADD_USER_CERT_FAILED; alias ERR_INVALID_SIGNED_EXCHANGE = cef_errorcode_t.ERR_INVALID_SIGNED_EXCHANGE; alias ERR_INVALID_WEB_BUNDLE = cef_errorcode_t.ERR_INVALID_WEB_BUNDLE; alias ERR_TRUST_TOKEN_OPERATION_FAILED = cef_errorcode_t.ERR_TRUST_TOKEN_OPERATION_FAILED; alias ERR_TRUST_TOKEN_OPERATION_SUCCESS_WITHOUT_SENDING_REQUEST = cef_errorcode_t.ERR_TRUST_TOKEN_OPERATION_SUCCESS_WITHOUT_SENDING_REQUEST; alias ERR_FTP_FAILED = cef_errorcode_t.ERR_FTP_FAILED; alias ERR_FTP_SERVICE_UNAVAILABLE = cef_errorcode_t.ERR_FTP_SERVICE_UNAVAILABLE; alias ERR_FTP_TRANSFER_ABORTED = cef_errorcode_t.ERR_FTP_TRANSFER_ABORTED; alias ERR_FTP_FILE_BUSY = cef_errorcode_t.ERR_FTP_FILE_BUSY; alias ERR_FTP_SYNTAX_ERROR = cef_errorcode_t.ERR_FTP_SYNTAX_ERROR; alias ERR_FTP_COMMAND_NOT_SUPPORTED = cef_errorcode_t.ERR_FTP_COMMAND_NOT_SUPPORTED; alias ERR_FTP_BAD_COMMAND_SEQUENCE = cef_errorcode_t.ERR_FTP_BAD_COMMAND_SEQUENCE; alias ERR_PKCS12_IMPORT_BAD_PASSWORD = cef_errorcode_t.ERR_PKCS12_IMPORT_BAD_PASSWORD; alias ERR_PKCS12_IMPORT_FAILED = cef_errorcode_t.ERR_PKCS12_IMPORT_FAILED; alias ERR_IMPORT_CA_CERT_NOT_CA = cef_errorcode_t.ERR_IMPORT_CA_CERT_NOT_CA; alias ERR_IMPORT_CERT_ALREADY_EXISTS = cef_errorcode_t.ERR_IMPORT_CERT_ALREADY_EXISTS; alias ERR_IMPORT_CA_CERT_FAILED = cef_errorcode_t.ERR_IMPORT_CA_CERT_FAILED; alias ERR_IMPORT_SERVER_CERT_FAILED = cef_errorcode_t.ERR_IMPORT_SERVER_CERT_FAILED; alias ERR_PKCS12_IMPORT_INVALID_MAC = cef_errorcode_t.ERR_PKCS12_IMPORT_INVALID_MAC; alias ERR_PKCS12_IMPORT_INVALID_FILE = cef_errorcode_t.ERR_PKCS12_IMPORT_INVALID_FILE; alias ERR_PKCS12_IMPORT_UNSUPPORTED = cef_errorcode_t.ERR_PKCS12_IMPORT_UNSUPPORTED; alias ERR_KEY_GENERATION_FAILED = cef_errorcode_t.ERR_KEY_GENERATION_FAILED; alias ERR_PRIVATE_KEY_EXPORT_FAILED = cef_errorcode_t.ERR_PRIVATE_KEY_EXPORT_FAILED; alias ERR_SELF_SIGNED_CERT_GENERATION_FAILED = cef_errorcode_t.ERR_SELF_SIGNED_CERT_GENERATION_FAILED; alias ERR_CERT_DATABASE_CHANGED = cef_errorcode_t.ERR_CERT_DATABASE_CHANGED; alias ERR_CERT_VERIFIER_CHANGED = cef_errorcode_t.ERR_CERT_VERIFIER_CHANGED; alias ERR_DNS_MALFORMED_RESPONSE = cef_errorcode_t.ERR_DNS_MALFORMED_RESPONSE; alias ERR_DNS_SERVER_REQUIRES_TCP = cef_errorcode_t.ERR_DNS_SERVER_REQUIRES_TCP; alias ERR_DNS_SERVER_FAILED = cef_errorcode_t.ERR_DNS_SERVER_FAILED; alias ERR_DNS_TIMED_OUT = cef_errorcode_t.ERR_DNS_TIMED_OUT; alias ERR_DNS_CACHE_MISS = cef_errorcode_t.ERR_DNS_CACHE_MISS; alias ERR_DNS_SEARCH_EMPTY = cef_errorcode_t.ERR_DNS_SEARCH_EMPTY; alias ERR_DNS_SORT_ERROR = cef_errorcode_t.ERR_DNS_SORT_ERROR; alias ERR_DNS_SECURE_RESOLVER_HOSTNAME_RESOLUTION_FAILED = cef_errorcode_t.ERR_DNS_SECURE_RESOLVER_HOSTNAME_RESOLUTION_FAILED; alias ERR_DNS_NAME_HTTPS_ONLY = cef_errorcode_t.ERR_DNS_NAME_HTTPS_ONLY; alias ERR_DNS_REQUEST_CANCELLED = cef_errorcode_t.ERR_DNS_REQUEST_CANCELLED; alias ERR_DNS_NO_MATCHING_SUPPORTED_ALPN = cef_errorcode_t.ERR_DNS_NO_MATCHING_SUPPORTED_ALPN; alias ERR_DICTIONARY_LOAD_FAILED = cef_errorcode_t.ERR_DICTIONARY_LOAD_FAILED; enum cef_cert_status_t { CERT_STATUS_NONE = 0, CERT_STATUS_COMMON_NAME_INVALID = 1 << 0, CERT_STATUS_DATE_INVALID = 1 << 1, CERT_STATUS_AUTHORITY_INVALID = 1 << 2, CERT_STATUS_NO_REVOCATION_MECHANISM = 1 << 4, CERT_STATUS_UNABLE_TO_CHECK_REVOCATION = 1 << 5, CERT_STATUS_REVOKED = 1 << 6, CERT_STATUS_INVALID = 1 << 7, CERT_STATUS_WEAK_SIGNATURE_ALGORITHM = 1 << 8, CERT_STATUS_NON_UNIQUE_NAME = 1 << 10, CERT_STATUS_WEAK_KEY = 1 << 11, CERT_STATUS_PINNED_KEY_MISSING = 1 << 13, CERT_STATUS_NAME_CONSTRAINT_VIOLATION = 1 << 14, CERT_STATUS_VALIDITY_TOO_LONG = 1 << 15, CERT_STATUS_IS_EV = 1 << 16, CERT_STATUS_REV_CHECKING_ENABLED = 1 << 17, CERT_STATUS_SHA1_SIGNATURE_PRESENT = 1 << 19, CERT_STATUS_CT_COMPLIANCE_FAILED = 1 << 20 } alias CERT_STATUS_NONE = cef_cert_status_t.CERT_STATUS_NONE; alias CERT_STATUS_COMMON_NAME_INVALID = cef_cert_status_t.CERT_STATUS_COMMON_NAME_INVALID; alias CERT_STATUS_DATE_INVALID = cef_cert_status_t.CERT_STATUS_DATE_INVALID; alias CERT_STATUS_AUTHORITY_INVALID = cef_cert_status_t.CERT_STATUS_AUTHORITY_INVALID; alias CERT_STATUS_NO_REVOCATION_MECHANISM = cef_cert_status_t.CERT_STATUS_NO_REVOCATION_MECHANISM; alias CERT_STATUS_UNABLE_TO_CHECK_REVOCATION = cef_cert_status_t.CERT_STATUS_UNABLE_TO_CHECK_REVOCATION; alias CERT_STATUS_REVOKED = cef_cert_status_t.CERT_STATUS_REVOKED; alias CERT_STATUS_INVALID = cef_cert_status_t.CERT_STATUS_INVALID; alias CERT_STATUS_WEAK_SIGNATURE_ALGORITHM = cef_cert_status_t.CERT_STATUS_WEAK_SIGNATURE_ALGORITHM; alias CERT_STATUS_NON_UNIQUE_NAME = cef_cert_status_t.CERT_STATUS_NON_UNIQUE_NAME; alias CERT_STATUS_WEAK_KEY = cef_cert_status_t.CERT_STATUS_WEAK_KEY; alias CERT_STATUS_PINNED_KEY_MISSING = cef_cert_status_t.CERT_STATUS_PINNED_KEY_MISSING; alias CERT_STATUS_NAME_CONSTRAINT_VIOLATION = cef_cert_status_t.CERT_STATUS_NAME_CONSTRAINT_VIOLATION; alias CERT_STATUS_VALIDITY_TOO_LONG = cef_cert_status_t.CERT_STATUS_VALIDITY_TOO_LONG; alias CERT_STATUS_IS_EV = cef_cert_status_t.CERT_STATUS_IS_EV; alias CERT_STATUS_REV_CHECKING_ENABLED = cef_cert_status_t.CERT_STATUS_REV_CHECKING_ENABLED; alias CERT_STATUS_SHA1_SIGNATURE_PRESENT = cef_cert_status_t.CERT_STATUS_SHA1_SIGNATURE_PRESENT; alias CERT_STATUS_CT_COMPLIANCE_FAILED = cef_cert_status_t.CERT_STATUS_CT_COMPLIANCE_FAILED; enum cef_window_open_disposition_t { WOD_UNKNOWN = 0, WOD_CURRENT_TAB = 1, WOD_SINGLETON_TAB = 2, WOD_NEW_FOREGROUND_TAB = 3, WOD_NEW_BACKGROUND_TAB = 4, WOD_NEW_POPUP = 5, WOD_NEW_WINDOW = 6, WOD_SAVE_TO_DISK = 7, WOD_OFF_THE_RECORD = 8, WOD_IGNORE_ACTION = 9, WOD_SWITCH_TO_TAB = 10, WOD_NEW_PICTURE_IN_PICTURE = 11 } alias WOD_UNKNOWN = cef_window_open_disposition_t.WOD_UNKNOWN; alias WOD_CURRENT_TAB = cef_window_open_disposition_t.WOD_CURRENT_TAB; alias WOD_SINGLETON_TAB = cef_window_open_disposition_t.WOD_SINGLETON_TAB; alias WOD_NEW_FOREGROUND_TAB = cef_window_open_disposition_t.WOD_NEW_FOREGROUND_TAB; alias WOD_NEW_BACKGROUND_TAB = cef_window_open_disposition_t.WOD_NEW_BACKGROUND_TAB; alias WOD_NEW_POPUP = cef_window_open_disposition_t.WOD_NEW_POPUP; alias WOD_NEW_WINDOW = cef_window_open_disposition_t.WOD_NEW_WINDOW; alias WOD_SAVE_TO_DISK = cef_window_open_disposition_t.WOD_SAVE_TO_DISK; alias WOD_OFF_THE_RECORD = cef_window_open_disposition_t.WOD_OFF_THE_RECORD; alias WOD_IGNORE_ACTION = cef_window_open_disposition_t.WOD_IGNORE_ACTION; alias WOD_SWITCH_TO_TAB = cef_window_open_disposition_t.WOD_SWITCH_TO_TAB; alias WOD_NEW_PICTURE_IN_PICTURE = cef_window_open_disposition_t.WOD_NEW_PICTURE_IN_PICTURE; enum cef_drag_operations_mask_t { DRAG_OPERATION_NONE = 0, DRAG_OPERATION_COPY = 1, DRAG_OPERATION_LINK = 2, DRAG_OPERATION_GENERIC = 4, DRAG_OPERATION_PRIVATE = 8, DRAG_OPERATION_MOVE = 16, DRAG_OPERATION_DELETE = 32, DRAG_OPERATION_EVERY = UINT_MAX } alias DRAG_OPERATION_NONE = cef_drag_operations_mask_t.DRAG_OPERATION_NONE; alias DRAG_OPERATION_COPY = cef_drag_operations_mask_t.DRAG_OPERATION_COPY; alias DRAG_OPERATION_LINK = cef_drag_operations_mask_t.DRAG_OPERATION_LINK; alias DRAG_OPERATION_GENERIC = cef_drag_operations_mask_t.DRAG_OPERATION_GENERIC; alias DRAG_OPERATION_PRIVATE = cef_drag_operations_mask_t.DRAG_OPERATION_PRIVATE; alias DRAG_OPERATION_MOVE = cef_drag_operations_mask_t.DRAG_OPERATION_MOVE; alias DRAG_OPERATION_DELETE = cef_drag_operations_mask_t.DRAG_OPERATION_DELETE; alias DRAG_OPERATION_EVERY = cef_drag_operations_mask_t.DRAG_OPERATION_EVERY; enum cef_text_input_mode_t { CEF_TEXT_INPUT_MODE_DEFAULT = 0, CEF_TEXT_INPUT_MODE_NONE = 1, CEF_TEXT_INPUT_MODE_TEXT = 2, CEF_TEXT_INPUT_MODE_TEL = 3, CEF_TEXT_INPUT_MODE_URL = 4, CEF_TEXT_INPUT_MODE_EMAIL = 5, CEF_TEXT_INPUT_MODE_NUMERIC = 6, CEF_TEXT_INPUT_MODE_DECIMAL = 7, CEF_TEXT_INPUT_MODE_SEARCH = 8, CEF_TEXT_INPUT_MODE_MAX = CEF_TEXT_INPUT_MODE_SEARCH } alias CEF_TEXT_INPUT_MODE_DEFAULT = cef_text_input_mode_t.CEF_TEXT_INPUT_MODE_DEFAULT; alias CEF_TEXT_INPUT_MODE_NONE = cef_text_input_mode_t.CEF_TEXT_INPUT_MODE_NONE; alias CEF_TEXT_INPUT_MODE_TEXT = cef_text_input_mode_t.CEF_TEXT_INPUT_MODE_TEXT; alias CEF_TEXT_INPUT_MODE_TEL = cef_text_input_mode_t.CEF_TEXT_INPUT_MODE_TEL; alias CEF_TEXT_INPUT_MODE_URL = cef_text_input_mode_t.CEF_TEXT_INPUT_MODE_URL; alias CEF_TEXT_INPUT_MODE_EMAIL = cef_text_input_mode_t.CEF_TEXT_INPUT_MODE_EMAIL; alias CEF_TEXT_INPUT_MODE_NUMERIC = cef_text_input_mode_t.CEF_TEXT_INPUT_MODE_NUMERIC; alias CEF_TEXT_INPUT_MODE_DECIMAL = cef_text_input_mode_t.CEF_TEXT_INPUT_MODE_DECIMAL; alias CEF_TEXT_INPUT_MODE_SEARCH = cef_text_input_mode_t.CEF_TEXT_INPUT_MODE_SEARCH; alias CEF_TEXT_INPUT_MODE_MAX = cef_text_input_mode_t.CEF_TEXT_INPUT_MODE_MAX; enum cef_v8_accesscontrol_t { V8_ACCESS_CONTROL_DEFAULT = 0, V8_ACCESS_CONTROL_ALL_CAN_READ = 1, V8_ACCESS_CONTROL_ALL_CAN_WRITE = 1 << 1, V8_ACCESS_CONTROL_PROHIBITS_OVERWRITING = 1 << 2 } alias V8_ACCESS_CONTROL_DEFAULT = cef_v8_accesscontrol_t.V8_ACCESS_CONTROL_DEFAULT; alias V8_ACCESS_CONTROL_ALL_CAN_READ = cef_v8_accesscontrol_t.V8_ACCESS_CONTROL_ALL_CAN_READ; alias V8_ACCESS_CONTROL_ALL_CAN_WRITE = cef_v8_accesscontrol_t.V8_ACCESS_CONTROL_ALL_CAN_WRITE; alias V8_ACCESS_CONTROL_PROHIBITS_OVERWRITING = cef_v8_accesscontrol_t.V8_ACCESS_CONTROL_PROHIBITS_OVERWRITING; enum cef_v8_propertyattribute_t { V8_PROPERTY_ATTRIBUTE_NONE = 0, V8_PROPERTY_ATTRIBUTE_READONLY = 1 << 0, V8_PROPERTY_ATTRIBUTE_DONTENUM = 1 << 1, V8_PROPERTY_ATTRIBUTE_DONTDELETE = 1 << 2 } alias V8_PROPERTY_ATTRIBUTE_NONE = cef_v8_propertyattribute_t.V8_PROPERTY_ATTRIBUTE_NONE; alias V8_PROPERTY_ATTRIBUTE_READONLY = cef_v8_propertyattribute_t.V8_PROPERTY_ATTRIBUTE_READONLY; alias V8_PROPERTY_ATTRIBUTE_DONTENUM = cef_v8_propertyattribute_t.V8_PROPERTY_ATTRIBUTE_DONTENUM; alias V8_PROPERTY_ATTRIBUTE_DONTDELETE = cef_v8_propertyattribute_t.V8_PROPERTY_ATTRIBUTE_DONTDELETE; enum cef_postdataelement_type_t { PDE_TYPE_EMPTY = 0, PDE_TYPE_BYTES = 1, PDE_TYPE_FILE = 2 } alias PDE_TYPE_EMPTY = cef_postdataelement_type_t.PDE_TYPE_EMPTY; alias PDE_TYPE_BYTES = cef_postdataelement_type_t.PDE_TYPE_BYTES; alias PDE_TYPE_FILE = cef_postdataelement_type_t.PDE_TYPE_FILE; enum cef_resource_type_t { RT_MAIN_FRAME = 0, RT_SUB_FRAME = 1, RT_STYLESHEET = 2, RT_SCRIPT = 3, RT_IMAGE = 4, RT_FONT_RESOURCE = 5, RT_SUB_RESOURCE = 6, RT_OBJECT = 7, RT_MEDIA = 8, RT_WORKER = 9, RT_SHARED_WORKER = 10, RT_PREFETCH = 11, RT_FAVICON = 12, RT_XHR = 13, RT_PING = 14, RT_SERVICE_WORKER = 15, RT_CSP_REPORT = 16, RT_PLUGIN_RESOURCE = 17, /// RT_NAVIGATION_PRELOAD_MAIN_FRAME = 19, /// /// A sub-frame service worker navigation preload request. /// RT_NAVIGATION_PRELOAD_SUB_FRAME = 20 } alias RT_MAIN_FRAME = cef_resource_type_t.RT_MAIN_FRAME; alias RT_SUB_FRAME = cef_resource_type_t.RT_SUB_FRAME; alias RT_STYLESHEET = cef_resource_type_t.RT_STYLESHEET; alias RT_SCRIPT = cef_resource_type_t.RT_SCRIPT; alias RT_IMAGE = cef_resource_type_t.RT_IMAGE; alias RT_FONT_RESOURCE = cef_resource_type_t.RT_FONT_RESOURCE; alias RT_SUB_RESOURCE = cef_resource_type_t.RT_SUB_RESOURCE; alias RT_OBJECT = cef_resource_type_t.RT_OBJECT; alias RT_MEDIA = cef_resource_type_t.RT_MEDIA; alias RT_WORKER = cef_resource_type_t.RT_WORKER; alias RT_SHARED_WORKER = cef_resource_type_t.RT_SHARED_WORKER; alias RT_PREFETCH = cef_resource_type_t.RT_PREFETCH; alias RT_FAVICON = cef_resource_type_t.RT_FAVICON; alias RT_XHR = cef_resource_type_t.RT_XHR; alias RT_PING = cef_resource_type_t.RT_PING; alias RT_SERVICE_WORKER = cef_resource_type_t.RT_SERVICE_WORKER; alias RT_CSP_REPORT = cef_resource_type_t.RT_CSP_REPORT; alias RT_PLUGIN_RESOURCE = cef_resource_type_t.RT_PLUGIN_RESOURCE; alias RT_NAVIGATION_PRELOAD_MAIN_FRAME = cef_resource_type_t.RT_NAVIGATION_PRELOAD_MAIN_FRAME; alias RT_NAVIGATION_PRELOAD_SUB_FRAME = cef_resource_type_t.RT_NAVIGATION_PRELOAD_SUB_FRAME; /// /// Transition type for a request. Made up of one source value and 0 or more /// qualifiers. /// enum cef_transition_type_t { /// /// Source is a link click or the JavaScript window.open function. This is /// also the default value for requests like sub-resource loads that are not /// navigations. /// TT_LINK = 0, /// /// Source is some other "explicit" navigation. This is the default value for /// navigations where the actual type is unknown. See also /// TT_DIRECT_LOAD_FLAG. /// TT_EXPLICIT = 1, /// /// User got to this page through a suggestion in the UI (for example, via the /// destinations page). Chrome runtime only. /// TT_AUTO_BOOKMARK = 2, /// /// Source is a subframe navigation. This is any content that is automatically /// loaded in a non-toplevel frame. For example, if a page consists of several /// frames containing ads, those ad URLs will have this transition type. /// The user may not even realize the content in these pages is a separate /// frame, so may not care about the URL. /// TT_AUTO_SUBFRAME = 3, /// /// Source is a subframe navigation explicitly requested by the user that will /// generate new navigation entries in the back/forward list. These are /// probably more important than frames that were automatically loaded in /// the background because the user probably cares about the fact that this /// link was loaded. /// TT_MANUAL_SUBFRAME = 4, /// /// User got to this page by typing in the URL bar and selecting an entry /// that did not look like a URL. For example, a match might have the URL /// of a Google search result page, but appear like "Search Google for ...". /// These are not quite the same as EXPLICIT navigations because the user /// didn't type or see the destination URL. Chrome runtime only. /// See also TT_KEYWORD. /// TT_GENERATED = 5, /// /// This is a toplevel navigation. This is any content that is automatically /// loaded in a toplevel frame. For example, opening a tab to show the ASH /// screen saver, opening the devtools window, opening the NTP after the safe /// browsing warning, opening web-based dialog boxes are examples of /// AUTO_TOPLEVEL navigations. Chrome runtime only. /// TT_AUTO_TOPLEVEL = 6, /// /// Source is a form submission by the user. NOTE: In some situations /// submitting a form does not result in this transition type. This can happen /// if the form uses a script to submit the contents. /// TT_FORM_SUBMIT = 7, /// /// Source is a "reload" of the page via the Reload function or by re-visiting /// the same URL. NOTE: This is distinct from the concept of whether a /// particular load uses "reload semantics" (i.e. bypasses cached data). /// TT_RELOAD = 8, /// /// The url was generated from a replaceable keyword other than the default /// search provider. If the user types a keyword (which also applies to /// tab-to-search) in the omnibox this qualifier is applied to the transition /// type of the generated url. TemplateURLModel then may generate an /// additional visit with a transition type of TT_KEYWORD_GENERATED against /// the url 'http://' + keyword. For example, if you do a tab-to-search /// against wikipedia the generated url has a transition qualifer of /// TT_KEYWORD, and TemplateURLModel generates a visit for 'wikipedia.org' /// with a transition type of TT_KEYWORD_GENERATED. Chrome runtime only. /// TT_KEYWORD = 9, /// /// Corresponds to a visit generated for a keyword. See description of /// TT_KEYWORD for more details. Chrome runtime only. /// TT_KEYWORD_GENERATED = 10, /// /// General mask defining the bits used for the source values. /// TT_SOURCE_MASK = 0xFF, /// Qualifiers. /// Any of the core values above can be augmented by one or more qualifiers. /// These qualifiers further define the transition. /// /// Attempted to visit a URL but was blocked. /// TT_BLOCKED_FLAG = 0x00800000, /// /// Used the Forward or Back function to navigate among browsing history. /// Will be ORed to the transition type for the original load. /// TT_FORWARD_BACK_FLAG = 0x01000000, /// /// Loaded a URL directly via CreateBrowser, LoadURL or LoadRequest. /// TT_DIRECT_LOAD_FLAG = 0x02000000, /// /// User is navigating to the home page. Chrome runtime only. /// TT_HOME_PAGE_FLAG = 0x04000000, /// /// The transition originated from an external application; the exact /// definition of this is embedder dependent. Chrome runtime and /// extension system only. /// TT_FROM_API_FLAG = 0x08000000, /// /// The beginning of a navigation chain. /// TT_CHAIN_START_FLAG = 0x10000000, /// /// The last transition in a redirect chain. /// TT_CHAIN_END_FLAG = 0x20000000, /// /// Redirects caused by JavaScript or a meta refresh tag on the page. /// TT_CLIENT_REDIRECT_FLAG = 0x40000000, /// /// Redirects sent from the server by HTTP headers. /// TT_SERVER_REDIRECT_FLAG = 0x80000000, /// /// Used to test whether a transition involves a redirect. /// TT_IS_REDIRECT_MASK = 0xC0000000, /// /// General mask defining the bits used for the qualifiers. /// TT_QUALIFIER_MASK = 0xFFFFFF00 } alias TT_LINK = cef_transition_type_t.TT_LINK; alias TT_EXPLICIT = cef_transition_type_t.TT_EXPLICIT; alias TT_AUTO_BOOKMARK = cef_transition_type_t.TT_AUTO_BOOKMARK; alias TT_AUTO_SUBFRAME = cef_transition_type_t.TT_AUTO_SUBFRAME; alias TT_MANUAL_SUBFRAME = cef_transition_type_t.TT_MANUAL_SUBFRAME; alias TT_GENERATED = cef_transition_type_t.TT_GENERATED; alias TT_AUTO_TOPLEVEL = cef_transition_type_t.TT_AUTO_TOPLEVEL; alias TT_FORM_SUBMIT = cef_transition_type_t.TT_FORM_SUBMIT; alias TT_RELOAD = cef_transition_type_t.TT_RELOAD; alias TT_KEYWORD = cef_transition_type_t.TT_KEYWORD; alias TT_KEYWORD_GENERATED = cef_transition_type_t.TT_KEYWORD_GENERATED; alias TT_SOURCE_MASK = cef_transition_type_t.TT_SOURCE_MASK; alias TT_BLOCKED_FLAG = cef_transition_type_t.TT_BLOCKED_FLAG; alias TT_FORWARD_BACK_FLAG = cef_transition_type_t.TT_FORWARD_BACK_FLAG; alias TT_DIRECT_LOAD_FLAG = cef_transition_type_t.TT_DIRECT_LOAD_FLAG; alias TT_HOME_PAGE_FLAG = cef_transition_type_t.TT_HOME_PAGE_FLAG; alias TT_FROM_API_FLAG = cef_transition_type_t.TT_FROM_API_FLAG; alias TT_CHAIN_START_FLAG = cef_transition_type_t.TT_CHAIN_START_FLAG; alias TT_CHAIN_END_FLAG = cef_transition_type_t.TT_CHAIN_END_FLAG; alias TT_CLIENT_REDIRECT_FLAG = cef_transition_type_t.TT_CLIENT_REDIRECT_FLAG; alias TT_SERVER_REDIRECT_FLAG = cef_transition_type_t.TT_SERVER_REDIRECT_FLAG; alias TT_IS_REDIRECT_MASK = cef_transition_type_t.TT_IS_REDIRECT_MASK; alias TT_QUALIFIER_MASK = cef_transition_type_t.TT_QUALIFIER_MASK; /// /// Flags used to customize the behavior of CefURLRequest. /// enum cef_urlrequest_flags_t { /// /// Default behavior. /// UR_FLAG_NONE = 0, /// /// If set the cache will be skipped when handling the request. Setting this /// value is equivalent to specifying the "Cache-Control: no-cache" request /// header. Setting this value in combination with UR_FLAG_ONLY_FROM_CACHE /// will cause the request to fail. /// UR_FLAG_SKIP_CACHE = 1 << 0, /// /// If set the request will fail if it cannot be served from the cache (or /// some equivalent local store). Setting this value is equivalent to /// specifying the "Cache-Control: only-if-cached" request header. Setting /// this value in combination with UR_FLAG_SKIP_CACHE or UR_FLAG_DISABLE_CACHE /// will cause the request to fail. /// UR_FLAG_ONLY_FROM_CACHE = 1 << 1, /// /// If set the cache will not be used at all. Setting this value is equivalent /// to specifying the "Cache-Control: no-store" request header. Setting this /// value in combination with UR_FLAG_ONLY_FROM_CACHE will cause the request /// to fail. /// UR_FLAG_DISABLE_CACHE = 1 << 2, /// /// If set user name, password, and cookies may be sent with the request, and /// cookies may be saved from the response. /// UR_FLAG_ALLOW_STORED_CREDENTIALS = 1 << 3, /// /// If set upload progress events will be generated when a request has a body. /// UR_FLAG_REPORT_UPLOAD_PROGRESS = 1 << 4, /// /// If set the CefURLRequestClient::OnDownloadData method will not be called. /// UR_FLAG_NO_DOWNLOAD_DATA = 1 << 5, /// /// If set 5XX redirect errors will be propagated to the observer instead of /// automatically re-tried. This currently only applies for requests /// originated in the browser process. /// UR_FLAG_NO_RETRY_ON_5XX = 1 << 6, /// /// If set 3XX responses will cause the fetch to halt immediately rather than /// continue through the redirect. /// UR_FLAG_STOP_ON_REDIRECT = 1 << 7 } alias UR_FLAG_NONE = cef_urlrequest_flags_t.UR_FLAG_NONE; alias UR_FLAG_SKIP_CACHE = cef_urlrequest_flags_t.UR_FLAG_SKIP_CACHE; alias UR_FLAG_ONLY_FROM_CACHE = cef_urlrequest_flags_t.UR_FLAG_ONLY_FROM_CACHE; alias UR_FLAG_DISABLE_CACHE = cef_urlrequest_flags_t.UR_FLAG_DISABLE_CACHE; alias UR_FLAG_ALLOW_STORED_CREDENTIALS = cef_urlrequest_flags_t.UR_FLAG_ALLOW_STORED_CREDENTIALS; alias UR_FLAG_REPORT_UPLOAD_PROGRESS = cef_urlrequest_flags_t.UR_FLAG_REPORT_UPLOAD_PROGRESS; alias UR_FLAG_NO_DOWNLOAD_DATA = cef_urlrequest_flags_t.UR_FLAG_NO_DOWNLOAD_DATA; alias UR_FLAG_NO_RETRY_ON_5XX = cef_urlrequest_flags_t.UR_FLAG_NO_RETRY_ON_5XX; alias UR_FLAG_STOP_ON_REDIRECT = cef_urlrequest_flags_t.UR_FLAG_STOP_ON_REDIRECT; /// /// Flags that represent CefURLRequest status. /// enum cef_urlrequest_status_t { /// /// Unknown status. /// UR_UNKNOWN = 0, /// /// Request succeeded. /// UR_SUCCESS = 1, /// /// An IO request is pending, and the caller will be informed when it is /// completed. /// UR_IO_PENDING = 2, /// /// Request was canceled programatically. /// UR_CANCELED = 3, /// /// Request failed for some reason. /// UR_FAILED = 4 } alias UR_UNKNOWN = cef_urlrequest_status_t.UR_UNKNOWN; alias UR_SUCCESS = cef_urlrequest_status_t.UR_SUCCESS; alias UR_IO_PENDING = cef_urlrequest_status_t.UR_IO_PENDING; alias UR_CANCELED = cef_urlrequest_status_t.UR_CANCELED; alias UR_FAILED = cef_urlrequest_status_t.UR_FAILED; /// Structure representing a draggable region. /// struct cef_draggable_region_t { /// /// Bounds of the region. /// cef_rect_t bounds; /// /// True (1) this this region is draggable and false (0) otherwise. /// int draggable; } /// /// Existing process IDs. /// enum cef_process_id_t { /// /// Browser process. /// PID_BROWSER = 0, /// /// Renderer process. /// PID_RENDERER = 1 } alias PID_BROWSER = cef_process_id_t.PID_BROWSER; alias PID_RENDERER = cef_process_id_t.PID_RENDERER; /// /// Existing thread IDs. /// enum cef_thread_id_t { // BROWSER PROCESS THREADS -- Only available in the browser process. /// /// The main thread in the browser. This will be the same as the main /// application thread if CefInitialize() is called with a /// CefSettings.multi_threaded_message_loop value of false. Do not perform /// blocking tasks on this thread. All tasks posted after /// CefBrowserProcessHandler::OnContextInitialized() and before CefShutdown() /// are guaranteed to run. This thread will outlive all other CEF threads. /// TID_UI = 0, /// /// Used for blocking tasks like file system access where the user won't /// notice if the task takes an arbitrarily long time to complete. All tasks /// posted after CefBrowserProcessHandler::OnContextInitialized() and before /// CefShutdown() are guaranteed to run. /// TID_FILE_BACKGROUND = 1, /// /// Used for blocking tasks like file system access that affect UI or /// responsiveness of future user interactions. Do not use if an immediate /// response to a user interaction is expected. All tasks posted after /// CefBrowserProcessHandler::OnContextInitialized() and before CefShutdown() /// are guaranteed to run. /// Examples: /// - Updating the UI to reflect progress on a long task. /// - Loading data that might be shown in the UI after a future user /// interaction. /// TID_FILE_USER_VISIBLE = 2, /// /// Used for blocking tasks like file system access that affect UI /// immediately after a user interaction. All tasks posted after /// CefBrowserProcessHandler::OnContextInitialized() and before CefShutdown() /// are guaranteed to run. /// Example: Generating data shown in the UI immediately after a click. /// TID_FILE_USER_BLOCKING = 3, /// /// Used to launch and terminate browser processes. /// TID_PROCESS_LAUNCHER = 4, /// /// Used to process IPC and network messages. Do not perform blocking tasks on /// this thread. All tasks posted after /// CefBrowserProcessHandler::OnContextInitialized() and before CefShutdown() /// are guaranteed to run. /// TID_IO = 5, // RENDER PROCESS THREADS -- Only available in the render process. /// /// The main thread in the renderer. Used for all WebKit and V8 interaction. /// Tasks may be posted to this thread after /// CefRenderProcessHandler::OnWebKitInitialized but are not guaranteed to /// run before sub-process termination (sub-processes may be killed at any /// time without warning). /// TID_RENDERER = 6 } alias TID_UI = cef_thread_id_t.TID_UI; alias TID_FILE_BACKGROUND = cef_thread_id_t.TID_FILE_BACKGROUND; alias TID_FILE_USER_VISIBLE = cef_thread_id_t.TID_FILE_USER_VISIBLE; alias TID_FILE_USER_BLOCKING = cef_thread_id_t.TID_FILE_USER_BLOCKING; alias TID_PROCESS_LAUNCHER = cef_thread_id_t.TID_PROCESS_LAUNCHER; alias TID_IO = cef_thread_id_t.TID_IO; alias TID_RENDERER = cef_thread_id_t.TID_RENDERER; /// /// Thread priority values listed in increasing order of importance. /// enum cef_thread_priority_t { /// /// Suitable for threads that shouldn't disrupt high priority work. /// TP_BACKGROUND = 0, /// /// Default priority level. /// TP_NORMAL = 1, /// /// Suitable for threads which generate data for the display (at ~60Hz). /// TP_DISPLAY = 2, /// /// Suitable for low-latency, glitch-resistant audio. /// TP_REALTIME_AUDIO = 3 } alias TP_BACKGROUND = cef_thread_priority_t.TP_BACKGROUND; alias TP_NORMAL = cef_thread_priority_t.TP_NORMAL; alias TP_DISPLAY = cef_thread_priority_t.TP_DISPLAY; alias TP_REALTIME_AUDIO = cef_thread_priority_t.TP_REALTIME_AUDIO; /// /// Message loop types. Indicates the set of asynchronous events that a message /// loop can process. /// enum cef_message_loop_type_t { /// /// Supports tasks and timers. /// ML_TYPE_DEFAULT = 0, /// /// Supports tasks, timers and native UI events (e.g. Windows messages). /// ML_TYPE_UI = 1, /// /// Supports tasks, timers and asynchronous IO events. /// ML_TYPE_IO = 2 } alias ML_TYPE_DEFAULT = cef_message_loop_type_t.ML_TYPE_DEFAULT; alias ML_TYPE_UI = cef_message_loop_type_t.ML_TYPE_UI; alias ML_TYPE_IO = cef_message_loop_type_t.ML_TYPE_IO; /// /// Windows COM initialization mode. Specifies how COM will be initialized for a /// new thread. /// enum cef_com_init_mode_t { /// /// No COM initialization. /// COM_INIT_MODE_NONE = 0, /// /// Initialize COM using single-threaded apartments. /// COM_INIT_MODE_STA = 1, /// /// Initialize COM using multi-threaded apartments. /// COM_INIT_MODE_MTA = 2 } alias COM_INIT_MODE_NONE = cef_com_init_mode_t.COM_INIT_MODE_NONE; alias COM_INIT_MODE_STA = cef_com_init_mode_t.COM_INIT_MODE_STA; alias COM_INIT_MODE_MTA = cef_com_init_mode_t.COM_INIT_MODE_MTA; /// /// Supported value types. /// enum cef_value_type_t { VTYPE_INVALID = 0, VTYPE_NULL = 1, VTYPE_BOOL = 2, VTYPE_INT = 3, VTYPE_DOUBLE = 4, VTYPE_STRING = 5, VTYPE_BINARY = 6, VTYPE_DICTIONARY = 7, VTYPE_LIST = 8 } alias VTYPE_INVALID = cef_value_type_t.VTYPE_INVALID; alias VTYPE_NULL = cef_value_type_t.VTYPE_NULL; alias VTYPE_BOOL = cef_value_type_t.VTYPE_BOOL; alias VTYPE_INT = cef_value_type_t.VTYPE_INT; alias VTYPE_DOUBLE = cef_value_type_t.VTYPE_DOUBLE; alias VTYPE_STRING = cef_value_type_t.VTYPE_STRING; alias VTYPE_BINARY = cef_value_type_t.VTYPE_BINARY; alias VTYPE_DICTIONARY = cef_value_type_t.VTYPE_DICTIONARY; alias VTYPE_LIST = cef_value_type_t.VTYPE_LIST; /// /// Supported JavaScript dialog types. /// enum cef_jsdialog_type_t { JSDIALOGTYPE_ALERT = 0, JSDIALOGTYPE_CONFIRM = 1, JSDIALOGTYPE_PROMPT = 2 } alias JSDIALOGTYPE_ALERT = cef_jsdialog_type_t.JSDIALOGTYPE_ALERT; alias JSDIALOGTYPE_CONFIRM = cef_jsdialog_type_t.JSDIALOGTYPE_CONFIRM; alias JSDIALOGTYPE_PROMPT = cef_jsdialog_type_t.JSDIALOGTYPE_PROMPT; /// /// Screen information used when window rendering is disabled. This structure is /// passed as a parameter to CefRenderHandler::GetScreenInfo and should be /// filled in by the client. /// struct cef_screen_info_t { /// /// Device scale factor. Specifies the ratio between physical and logical /// pixels. /// float device_scale_factor; /// /// The screen depth in bits per pixel. /// int depth; /// /// The bits per color component. This assumes that the colors are balanced /// equally. /// int depth_per_component; /// /// This can be true for black and white printers. /// int is_monochrome; /// /// This is set from the rcMonitor member of MONITORINFOEX, to whit: /// "A RECT structure that specifies the display monitor rectangle, /// expressed in virtual-screen coordinates. Note that if the monitor /// is not the primary display monitor, some of the rectangle's /// coordinates may be negative values." // /// The |rect| and |available_rect| properties are used to determine the /// available surface for rendering popup views. /// cef_rect_t rect; /// /// This is set from the rcWork member of MONITORINFOEX, to whit: /// "A RECT structure that specifies the work area rectangle of the /// display monitor that can be used by applications, expressed in /// virtual-screen coordinates. Windows uses this rectangle to /// maximize an application on the monitor. The rest of the area in /// rcMonitor contains system windows such as the task bar and side /// bars. Note that if the monitor is not the primary display monitor, /// some of the rectangle's coordinates may be negative values". // /// The |rect| and |available_rect| properties are used to determine the /// available surface for rendering popup views. /// cef_rect_t available_rect; } /// /// Supported menu IDs. Non-English translations can be provided for the /// IDS_MENU_* strings in CefResourceBundleHandler::GetLocalizedString(). /// enum cef_menu_id_t { // Navigation. MENU_ID_BACK = 100, MENU_ID_FORWARD = 101, MENU_ID_RELOAD = 102, MENU_ID_RELOAD_NOCACHE = 103, MENU_ID_STOPLOAD = 104, // Editing. MENU_ID_UNDO = 110, MENU_ID_REDO = 111, MENU_ID_CUT = 112, MENU_ID_COPY = 113, MENU_ID_PASTE = 114, MENU_ID_DELETE = 115, MENU_ID_SELECT_ALL = 116, // Miscellaneous. MENU_ID_FIND = 130, MENU_ID_PRINT = 131, MENU_ID_VIEW_SOURCE = 132, // Spell checking word correction suggestions. MENU_ID_SPELLCHECK_SUGGESTION_0 = 200, MENU_ID_SPELLCHECK_SUGGESTION_1 = 201, MENU_ID_SPELLCHECK_SUGGESTION_2 = 202, MENU_ID_SPELLCHECK_SUGGESTION_3 = 203, MENU_ID_SPELLCHECK_SUGGESTION_4 = 204, MENU_ID_SPELLCHECK_SUGGESTION_LAST = 204, MENU_ID_NO_SPELLING_SUGGESTIONS = 205, MENU_ID_ADD_TO_DICTIONARY = 206, // Custom menu items originating from the renderer process. MENU_ID_CUSTOM_FIRST = 220, MENU_ID_CUSTOM_LAST = 250, // All user-defined menu IDs should come between MENU_ID_USER_FIRST and // MENU_ID_USER_LAST to avoid overlapping the Chromium and CEF ID ranges // defined in the tools/gritsettings/resource_ids file. MENU_ID_USER_FIRST = 26500, MENU_ID_USER_LAST = 28500 } alias MENU_ID_BACK = cef_menu_id_t.MENU_ID_BACK; alias MENU_ID_FORWARD = cef_menu_id_t.MENU_ID_FORWARD; alias MENU_ID_RELOAD = cef_menu_id_t.MENU_ID_RELOAD; alias MENU_ID_RELOAD_NOCACHE = cef_menu_id_t.MENU_ID_RELOAD_NOCACHE; alias MENU_ID_STOPLOAD = cef_menu_id_t.MENU_ID_STOPLOAD; alias MENU_ID_UNDO = cef_menu_id_t.MENU_ID_UNDO; alias MENU_ID_REDO = cef_menu_id_t.MENU_ID_REDO; alias MENU_ID_CUT = cef_menu_id_t.MENU_ID_CUT; alias MENU_ID_COPY = cef_menu_id_t.MENU_ID_COPY; alias MENU_ID_PASTE = cef_menu_id_t.MENU_ID_PASTE; alias MENU_ID_DELETE = cef_menu_id_t.MENU_ID_DELETE; alias MENU_ID_SELECT_ALL = cef_menu_id_t.MENU_ID_SELECT_ALL; alias MENU_ID_FIND = cef_menu_id_t.MENU_ID_FIND; alias MENU_ID_PRINT = cef_menu_id_t.MENU_ID_PRINT; alias MENU_ID_VIEW_SOURCE = cef_menu_id_t.MENU_ID_VIEW_SOURCE; alias MENU_ID_SPELLCHECK_SUGGESTION_0 = cef_menu_id_t.MENU_ID_SPELLCHECK_SUGGESTION_0; alias MENU_ID_SPELLCHECK_SUGGESTION_1 = cef_menu_id_t.MENU_ID_SPELLCHECK_SUGGESTION_1; alias MENU_ID_SPELLCHECK_SUGGESTION_2 = cef_menu_id_t.MENU_ID_SPELLCHECK_SUGGESTION_2; alias MENU_ID_SPELLCHECK_SUGGESTION_3 = cef_menu_id_t.MENU_ID_SPELLCHECK_SUGGESTION_3; alias MENU_ID_SPELLCHECK_SUGGESTION_4 = cef_menu_id_t.MENU_ID_SPELLCHECK_SUGGESTION_4; alias MENU_ID_SPELLCHECK_SUGGESTION_LAST = cef_menu_id_t.MENU_ID_SPELLCHECK_SUGGESTION_LAST; alias MENU_ID_NO_SPELLING_SUGGESTIONS = cef_menu_id_t.MENU_ID_NO_SPELLING_SUGGESTIONS; alias MENU_ID_ADD_TO_DICTIONARY = cef_menu_id_t.MENU_ID_ADD_TO_DICTIONARY; alias MENU_ID_CUSTOM_FIRST = cef_menu_id_t.MENU_ID_CUSTOM_FIRST; alias MENU_ID_CUSTOM_LAST = cef_menu_id_t.MENU_ID_CUSTOM_LAST; alias MENU_ID_USER_FIRST = cef_menu_id_t.MENU_ID_USER_FIRST; alias MENU_ID_USER_LAST = cef_menu_id_t.MENU_ID_USER_LAST; /// /// Mouse button types. /// enum cef_mouse_button_type_t { MBT_LEFT = 0, MBT_MIDDLE = 1, MBT_RIGHT = 2 } alias MBT_LEFT = cef_mouse_button_type_t.MBT_LEFT; alias MBT_MIDDLE = cef_mouse_button_type_t.MBT_MIDDLE; alias MBT_RIGHT = cef_mouse_button_type_t.MBT_RIGHT; /// /// Structure representing mouse event information. /// struct cef_mouse_event_t { /// /// X coordinate relative to the left side of the view. /// int x; /// /// Y coordinate relative to the top side of the view. /// int y; /// /// Bit flags describing any pressed modifier keys. See /// cef_event_flags_t for values. /// uint modifiers; } /// /// Touch points states types. /// enum cef_touch_event_type_t { CEF_TET_RELEASED = 0, CEF_TET_PRESSED = 1, CEF_TET_MOVED = 2, CEF_TET_CANCELLED = 3 } alias CEF_TET_RELEASED = cef_touch_event_type_t.CEF_TET_RELEASED; alias CEF_TET_PRESSED = cef_touch_event_type_t.CEF_TET_PRESSED; alias CEF_TET_MOVED = cef_touch_event_type_t.CEF_TET_MOVED; alias CEF_TET_CANCELLED = cef_touch_event_type_t.CEF_TET_CANCELLED; /// /// The device type that caused the event. /// enum cef_pointer_type_t { CEF_POINTER_TYPE_TOUCH = 0, CEF_POINTER_TYPE_MOUSE = 1, CEF_POINTER_TYPE_PEN = 2, CEF_POINTER_TYPE_ERASER = 3, CEF_POINTER_TYPE_UNKNOWN = 4 } alias CEF_POINTER_TYPE_TOUCH = cef_pointer_type_t.CEF_POINTER_TYPE_TOUCH; alias CEF_POINTER_TYPE_MOUSE = cef_pointer_type_t.CEF_POINTER_TYPE_MOUSE; alias CEF_POINTER_TYPE_PEN = cef_pointer_type_t.CEF_POINTER_TYPE_PEN; alias CEF_POINTER_TYPE_ERASER = cef_pointer_type_t.CEF_POINTER_TYPE_ERASER; alias CEF_POINTER_TYPE_UNKNOWN = cef_pointer_type_t.CEF_POINTER_TYPE_UNKNOWN; /// /// Structure representing touch event information. /// struct cef_touch_event_t { /// /// Id of a touch point. Must be unique per touch, can be any number except /// -1. Note that a maximum of 16 concurrent touches will be tracked; touches /// beyond that will be ignored. /// int id; /// /// X coordinate relative to the left side of the view. /// float x; /// /// Y coordinate relative to the top side of the view. /// float y; /// /// X radius in pixels. Set to 0 if not applicable. /// float radius_x; /// /// Y radius in pixels. Set to 0 if not applicable. /// float radius_y; /// /// Rotation angle in radians. Set to 0 if not applicable. /// float rotation_angle; /// /// The normalized pressure of the pointer input in the range of [0,1]. /// Set to 0 if not applicable. /// float pressure; /// /// The state of the touch point. Touches begin with one CEF_TET_PRESSED event /// followed by zero or more CEF_TET_MOVED events and finally one /// CEF_TET_RELEASED or CEF_TET_CANCELLED event. Events not respecting this /// order will be ignored. /// cef_touch_event_type_t type; /// /// Bit flags describing any pressed modifier keys. See /// cef_event_flags_t for values. /// uint modifiers; /// /// The device type that caused the event. /// cef_pointer_type_t pointer_type; } /// /// Paint element types. /// enum cef_paint_element_type_t { PET_VIEW = 0, PET_POPUP = 1 } alias PET_VIEW = cef_paint_element_type_t.PET_VIEW; alias PET_POPUP = cef_paint_element_type_t.PET_POPUP; /// /// Supported event bit flags. /// enum cef_event_flags_t { EVENTFLAG_NONE = 0, EVENTFLAG_CAPS_LOCK_ON = 1 << 0, EVENTFLAG_SHIFT_DOWN = 1 << 1, EVENTFLAG_CONTROL_DOWN = 1 << 2, EVENTFLAG_ALT_DOWN = 1 << 3, EVENTFLAG_LEFT_MOUSE_BUTTON = 1 << 4, EVENTFLAG_MIDDLE_MOUSE_BUTTON = 1 << 5, EVENTFLAG_RIGHT_MOUSE_BUTTON = 1 << 6, /// Mac OS-X command key. EVENTFLAG_COMMAND_DOWN = 1 << 7, EVENTFLAG_NUM_LOCK_ON = 1 << 8, EVENTFLAG_IS_KEY_PAD = 1 << 9, EVENTFLAG_IS_LEFT = 1 << 10, EVENTFLAG_IS_RIGHT = 1 << 11, EVENTFLAG_ALTGR_DOWN = 1 << 12, EVENTFLAG_IS_REPEAT = 1 << 13 } alias EVENTFLAG_NONE = cef_event_flags_t.EVENTFLAG_NONE; alias EVENTFLAG_CAPS_LOCK_ON = cef_event_flags_t.EVENTFLAG_CAPS_LOCK_ON; alias EVENTFLAG_SHIFT_DOWN = cef_event_flags_t.EVENTFLAG_SHIFT_DOWN; alias EVENTFLAG_CONTROL_DOWN = cef_event_flags_t.EVENTFLAG_CONTROL_DOWN; alias EVENTFLAG_ALT_DOWN = cef_event_flags_t.EVENTFLAG_ALT_DOWN; alias EVENTFLAG_LEFT_MOUSE_BUTTON = cef_event_flags_t.EVENTFLAG_LEFT_MOUSE_BUTTON; alias EVENTFLAG_MIDDLE_MOUSE_BUTTON = cef_event_flags_t.EVENTFLAG_MIDDLE_MOUSE_BUTTON; alias EVENTFLAG_RIGHT_MOUSE_BUTTON = cef_event_flags_t.EVENTFLAG_RIGHT_MOUSE_BUTTON; alias EVENTFLAG_COMMAND_DOWN = cef_event_flags_t.EVENTFLAG_COMMAND_DOWN; alias EVENTFLAG_NUM_LOCK_ON = cef_event_flags_t.EVENTFLAG_NUM_LOCK_ON; alias EVENTFLAG_IS_KEY_PAD = cef_event_flags_t.EVENTFLAG_IS_KEY_PAD; alias EVENTFLAG_IS_LEFT = cef_event_flags_t.EVENTFLAG_IS_LEFT; alias EVENTFLAG_IS_RIGHT = cef_event_flags_t.EVENTFLAG_IS_RIGHT; alias EVENTFLAG_ALTGR_DOWN = cef_event_flags_t.EVENTFLAG_ALTGR_DOWN; alias EVENTFLAG_IS_REPEAT = cef_event_flags_t.EVENTFLAG_IS_REPEAT; /// /// Supported menu item types. /// enum cef_menu_item_type_t { MENUITEMTYPE_NONE = 0, MENUITEMTYPE_COMMAND = 1, MENUITEMTYPE_CHECK = 2, MENUITEMTYPE_RADIO = 3, MENUITEMTYPE_SEPARATOR = 4, MENUITEMTYPE_SUBMENU = 5 } alias MENUITEMTYPE_NONE = cef_menu_item_type_t.MENUITEMTYPE_NONE; alias MENUITEMTYPE_COMMAND = cef_menu_item_type_t.MENUITEMTYPE_COMMAND; alias MENUITEMTYPE_CHECK = cef_menu_item_type_t.MENUITEMTYPE_CHECK; alias MENUITEMTYPE_RADIO = cef_menu_item_type_t.MENUITEMTYPE_RADIO; alias MENUITEMTYPE_SEPARATOR = cef_menu_item_type_t.MENUITEMTYPE_SEPARATOR; alias MENUITEMTYPE_SUBMENU = cef_menu_item_type_t.MENUITEMTYPE_SUBMENU; /// /// Supported context menu type flags. /// enum cef_context_menu_type_flags_t { /// /// No node is selected. /// CM_TYPEFLAG_NONE = 0, /// /// The top page is selected. /// CM_TYPEFLAG_PAGE = 1 << 0, /// /// A subframe page is selected. /// CM_TYPEFLAG_FRAME = 1 << 1, /// /// A link is selected. /// CM_TYPEFLAG_LINK = 1 << 2, /// /// A media node is selected. /// CM_TYPEFLAG_MEDIA = 1 << 3, /// /// There is a textual or mixed selection that is selected. /// CM_TYPEFLAG_SELECTION = 1 << 4, /// /// An editable element is selected. /// CM_TYPEFLAG_EDITABLE = 1 << 5 } alias CM_TYPEFLAG_NONE = cef_context_menu_type_flags_t.CM_TYPEFLAG_NONE; alias CM_TYPEFLAG_PAGE = cef_context_menu_type_flags_t.CM_TYPEFLAG_PAGE; alias CM_TYPEFLAG_FRAME = cef_context_menu_type_flags_t.CM_TYPEFLAG_FRAME; alias CM_TYPEFLAG_LINK = cef_context_menu_type_flags_t.CM_TYPEFLAG_LINK; alias CM_TYPEFLAG_MEDIA = cef_context_menu_type_flags_t.CM_TYPEFLAG_MEDIA; alias CM_TYPEFLAG_SELECTION = cef_context_menu_type_flags_t.CM_TYPEFLAG_SELECTION; alias CM_TYPEFLAG_EDITABLE = cef_context_menu_type_flags_t.CM_TYPEFLAG_EDITABLE; /// /// Supported context menu media types. These constants match their equivalents /// in Chromium's ContextMenuDataMediaType and should not be renumbered. /// enum cef_context_menu_media_type_t { /// /// No special node is in context. /// CM_MEDIATYPE_NONE = 0, /// /// An image node is selected. /// CM_MEDIATYPE_IMAGE = 1, /// /// A video node is selected. /// CM_MEDIATYPE_VIDEO = 2, /// /// An audio node is selected. /// CM_MEDIATYPE_AUDIO = 3, /// /// An canvas node is selected. /// CM_MEDIATYPE_CANVAS = 4, /// /// A file node is selected. /// CM_MEDIATYPE_FILE = 5, /// /// A plugin node is selected. /// CM_MEDIATYPE_PLUGIN = 6 } alias CM_MEDIATYPE_NONE = cef_context_menu_media_type_t.CM_MEDIATYPE_NONE; alias CM_MEDIATYPE_IMAGE = cef_context_menu_media_type_t.CM_MEDIATYPE_IMAGE; alias CM_MEDIATYPE_VIDEO = cef_context_menu_media_type_t.CM_MEDIATYPE_VIDEO; alias CM_MEDIATYPE_AUDIO = cef_context_menu_media_type_t.CM_MEDIATYPE_AUDIO; alias CM_MEDIATYPE_CANVAS = cef_context_menu_media_type_t.CM_MEDIATYPE_CANVAS; alias CM_MEDIATYPE_FILE = cef_context_menu_media_type_t.CM_MEDIATYPE_FILE; alias CM_MEDIATYPE_PLUGIN = cef_context_menu_media_type_t.CM_MEDIATYPE_PLUGIN; /// /// Supported context menu media state bit flags. These constants match their /// equivalents in Chromium's ContextMenuData::MediaFlags and should not be /// renumbered. /// enum cef_context_menu_media_state_flags_t { CM_MEDIAFLAG_NONE = 0, CM_MEDIAFLAG_IN_ERROR = 1 << 0, CM_MEDIAFLAG_PAUSED = 1 << 1, CM_MEDIAFLAG_MUTED = 1 << 2, CM_MEDIAFLAG_LOOP = 1 << 3, CM_MEDIAFLAG_CAN_SAVE = 1 << 4, CM_MEDIAFLAG_HAS_AUDIO = 1 << 5, CM_MEDIAFLAG_CAN_TOGGLE_CONTROLS = 1 << 6, CM_MEDIAFLAG_CONTROLS = 1 << 7, CM_MEDIAFLAG_CAN_PRINT = 1 << 8, CM_MEDIAFLAG_CAN_ROTATE = 1 << 9, CM_MEDIAFLAG_CAN_PICTURE_IN_PICTURE = 1 << 10, CM_MEDIAFLAG_PICTURE_IN_PICTURE = 1 << 11, CM_MEDIAFLAG_CAN_LOOP = 1 << 12 } alias CM_MEDIAFLAG_NONE = cef_context_menu_media_state_flags_t.CM_MEDIAFLAG_NONE; alias CM_MEDIAFLAG_IN_ERROR = cef_context_menu_media_state_flags_t.CM_MEDIAFLAG_IN_ERROR; alias CM_MEDIAFLAG_PAUSED = cef_context_menu_media_state_flags_t.CM_MEDIAFLAG_PAUSED; alias CM_MEDIAFLAG_MUTED = cef_context_menu_media_state_flags_t.CM_MEDIAFLAG_MUTED; alias CM_MEDIAFLAG_LOOP = cef_context_menu_media_state_flags_t.CM_MEDIAFLAG_LOOP; alias CM_MEDIAFLAG_CAN_SAVE = cef_context_menu_media_state_flags_t.CM_MEDIAFLAG_CAN_SAVE; alias CM_MEDIAFLAG_HAS_AUDIO = cef_context_menu_media_state_flags_t.CM_MEDIAFLAG_HAS_AUDIO; alias CM_MEDIAFLAG_CAN_TOGGLE_CONTROLS = cef_context_menu_media_state_flags_t.CM_MEDIAFLAG_CAN_TOGGLE_CONTROLS; alias CM_MEDIAFLAG_CONTROLS = cef_context_menu_media_state_flags_t.CM_MEDIAFLAG_CONTROLS; alias CM_MEDIAFLAG_CAN_PRINT = cef_context_menu_media_state_flags_t.CM_MEDIAFLAG_CAN_PRINT; alias CM_MEDIAFLAG_CAN_ROTATE = cef_context_menu_media_state_flags_t.CM_MEDIAFLAG_CAN_ROTATE; alias CM_MEDIAFLAG_CAN_PICTURE_IN_PICTURE = cef_context_menu_media_state_flags_t.CM_MEDIAFLAG_CAN_PICTURE_IN_PICTURE; alias CM_MEDIAFLAG_PICTURE_IN_PICTURE = cef_context_menu_media_state_flags_t.CM_MEDIAFLAG_PICTURE_IN_PICTURE; alias CM_MEDIAFLAG_CAN_LOOP = cef_context_menu_media_state_flags_t.CM_MEDIAFLAG_CAN_LOOP; /// /// Supported context menu edit state bit flags. These constants match their /// equivalents in Chromium's ContextMenuDataEditFlags and should not be /// renumbered. /// enum cef_context_menu_edit_state_flags_t { CM_EDITFLAG_NONE = 0, CM_EDITFLAG_CAN_UNDO = 1 << 0, CM_EDITFLAG_CAN_REDO = 1 << 1, CM_EDITFLAG_CAN_CUT = 1 << 2, CM_EDITFLAG_CAN_COPY = 1 << 3, CM_EDITFLAG_CAN_PASTE = 1 << 4, CM_EDITFLAG_CAN_DELETE = 1 << 5, CM_EDITFLAG_CAN_SELECT_ALL = 1 << 6, CM_EDITFLAG_CAN_TRANSLATE = 1 << 7, CM_EDITFLAG_CAN_EDIT_RICHLY = 1 << 8 } alias CM_EDITFLAG_NONE = cef_context_menu_edit_state_flags_t.CM_EDITFLAG_NONE; alias CM_EDITFLAG_CAN_UNDO = cef_context_menu_edit_state_flags_t.CM_EDITFLAG_CAN_UNDO; alias CM_EDITFLAG_CAN_REDO = cef_context_menu_edit_state_flags_t.CM_EDITFLAG_CAN_REDO; alias CM_EDITFLAG_CAN_CUT = cef_context_menu_edit_state_flags_t.CM_EDITFLAG_CAN_CUT; alias CM_EDITFLAG_CAN_COPY = cef_context_menu_edit_state_flags_t.CM_EDITFLAG_CAN_COPY; alias CM_EDITFLAG_CAN_PASTE = cef_context_menu_edit_state_flags_t.CM_EDITFLAG_CAN_PASTE; alias CM_EDITFLAG_CAN_DELETE = cef_context_menu_edit_state_flags_t.CM_EDITFLAG_CAN_DELETE; alias CM_EDITFLAG_CAN_SELECT_ALL = cef_context_menu_edit_state_flags_t.CM_EDITFLAG_CAN_SELECT_ALL; alias CM_EDITFLAG_CAN_TRANSLATE = cef_context_menu_edit_state_flags_t.CM_EDITFLAG_CAN_TRANSLATE; alias CM_EDITFLAG_CAN_EDIT_RICHLY = cef_context_menu_edit_state_flags_t.CM_EDITFLAG_CAN_EDIT_RICHLY; /// /// Supported quick menu state bit flags. /// enum cef_quick_menu_edit_state_flags_t { QM_EDITFLAG_NONE = 0, QM_EDITFLAG_CAN_ELLIPSIS = 1 << 0, QM_EDITFLAG_CAN_CUT = 1 << 1, QM_EDITFLAG_CAN_COPY = 1 << 2, QM_EDITFLAG_CAN_PASTE = 1 << 3 } alias QM_EDITFLAG_NONE = cef_quick_menu_edit_state_flags_t.QM_EDITFLAG_NONE; alias QM_EDITFLAG_CAN_ELLIPSIS = cef_quick_menu_edit_state_flags_t.QM_EDITFLAG_CAN_ELLIPSIS; alias QM_EDITFLAG_CAN_CUT = cef_quick_menu_edit_state_flags_t.QM_EDITFLAG_CAN_CUT; alias QM_EDITFLAG_CAN_COPY = cef_quick_menu_edit_state_flags_t.QM_EDITFLAG_CAN_COPY; alias QM_EDITFLAG_CAN_PASTE = cef_quick_menu_edit_state_flags_t.QM_EDITFLAG_CAN_PASTE; /// /// Key event types. /// enum cef_key_event_type_t { /// /// Notification that a key transitioned from "up" to "down". /// KEYEVENT_RAWKEYDOWN = 0, /// /// Notification that a key was pressed. This does not necessarily correspond /// to a character depending on the key and language. Use KEYEVENT_CHAR for /// character input. /// KEYEVENT_KEYDOWN = 1, /// /// Notification that a key was released. /// KEYEVENT_KEYUP = 2, /// /// Notification that a character was typed. Use this for text input. Key /// down events may generate 0, 1, or more than one character event depending /// on the key, locale, and operating system. /// KEYEVENT_CHAR = 3 } alias KEYEVENT_RAWKEYDOWN = cef_key_event_type_t.KEYEVENT_RAWKEYDOWN; alias KEYEVENT_KEYDOWN = cef_key_event_type_t.KEYEVENT_KEYDOWN; alias KEYEVENT_KEYUP = cef_key_event_type_t.KEYEVENT_KEYUP; alias KEYEVENT_CHAR = cef_key_event_type_t.KEYEVENT_CHAR; /// /// Structure representing keyboard event information. /// struct cef_key_event_t { /// /// The type of keyboard event. /// cef_key_event_type_t type; /// /// Bit flags describing any pressed modifier keys. See /// cef_event_flags_t for values. /// uint modifiers; /// /// The Windows key code for the key event. This value is used by the DOM /// specification. Sometimes it comes directly from the event (i.e. on /// Windows) and sometimes it's determined using a mapping function. See /// WebCore/platform/chromium/KeyboardCodes.h for the list of values. /// int windows_key_code; /// /// The actual key code genenerated by the platform. /// int native_key_code; /// /// Indicates whether the event is considered a "system key" event (see /// http://msdn.microsoft.com/en-us/library/ms646286(VS.85).aspx for details). /// This value will always be false on non-Windows platforms. /// int is_system_key; /// /// The character generated by the keystroke. /// alias char16_t = ushort; char16_t character; /// /// Same as |character| but unmodified by any concurrently-held modifiers /// (except shift). This is useful for working out shortcut keys. /// char16_t unmodified_character; /// /// True if the focus is currently on an editable field on the page. This is /// useful for determining if standard key events should be intercepted. /// int focus_on_editable_field; } /// /// Focus sources. /// enum cef_focus_source_t { /// /// The source is explicit navigation via the API (LoadURL(), etc). /// FOCUS_SOURCE_NAVIGATION = 0, /// /// The source is a system-generated focus event. /// FOCUS_SOURCE_SYSTEM = 1 } alias FOCUS_SOURCE_NAVIGATION = cef_focus_source_t.FOCUS_SOURCE_NAVIGATION; alias FOCUS_SOURCE_SYSTEM = cef_focus_source_t.FOCUS_SOURCE_SYSTEM; /// /// Navigation types. /// enum cef_navigation_type_t { NAVIGATION_LINK_CLICKED = 0, NAVIGATION_FORM_SUBMITTED = 1, NAVIGATION_BACK_FORWARD = 2, NAVIGATION_RELOAD = 3, NAVIGATION_FORM_RESUBMITTED = 4, NAVIGATION_OTHER = 5 } alias NAVIGATION_LINK_CLICKED = cef_navigation_type_t.NAVIGATION_LINK_CLICKED; alias NAVIGATION_FORM_SUBMITTED = cef_navigation_type_t.NAVIGATION_FORM_SUBMITTED; alias NAVIGATION_BACK_FORWARD = cef_navigation_type_t.NAVIGATION_BACK_FORWARD; alias NAVIGATION_RELOAD = cef_navigation_type_t.NAVIGATION_RELOAD; alias NAVIGATION_FORM_RESUBMITTED = cef_navigation_type_t.NAVIGATION_FORM_RESUBMITTED; alias NAVIGATION_OTHER = cef_navigation_type_t.NAVIGATION_OTHER; /// /// Supported XML encoding types. The parser supports ASCII, ISO-8859-1, and /// UTF16 (LE and BE) by default. All other types must be translated to UTF8 /// before being passed to the parser. If a BOM is detected and the correct /// decoder is available then that decoder will be used automatically. /// enum cef_xml_encoding_type_t { XML_ENCODING_NONE = 0, XML_ENCODING_UTF8 = 1, XML_ENCODING_UTF16LE = 2, XML_ENCODING_UTF16BE = 3, XML_ENCODING_ASCII = 4 } alias XML_ENCODING_NONE = cef_xml_encoding_type_t.XML_ENCODING_NONE; alias XML_ENCODING_UTF8 = cef_xml_encoding_type_t.XML_ENCODING_UTF8; alias XML_ENCODING_UTF16LE = cef_xml_encoding_type_t.XML_ENCODING_UTF16LE; alias XML_ENCODING_UTF16BE = cef_xml_encoding_type_t.XML_ENCODING_UTF16BE; alias XML_ENCODING_ASCII = cef_xml_encoding_type_t.XML_ENCODING_ASCII; /// /// XML node types. /// enum cef_xml_node_type_t { XML_NODE_UNSUPPORTED = 0, XML_NODE_PROCESSING_INSTRUCTION = 1, XML_NODE_DOCUMENT_TYPE = 2, XML_NODE_ELEMENT_START = 3, XML_NODE_ELEMENT_END = 4, XML_NODE_ATTRIBUTE = 5, XML_NODE_TEXT = 6, XML_NODE_CDATA = 7, XML_NODE_ENTITY_REFERENCE = 8, XML_NODE_WHITESPACE = 9, XML_NODE_COMMENT = 10 } alias XML_NODE_UNSUPPORTED = cef_xml_node_type_t.XML_NODE_UNSUPPORTED; alias XML_NODE_PROCESSING_INSTRUCTION = cef_xml_node_type_t.XML_NODE_PROCESSING_INSTRUCTION; alias XML_NODE_DOCUMENT_TYPE = cef_xml_node_type_t.XML_NODE_DOCUMENT_TYPE; alias XML_NODE_ELEMENT_START = cef_xml_node_type_t.XML_NODE_ELEMENT_START; alias XML_NODE_ELEMENT_END = cef_xml_node_type_t.XML_NODE_ELEMENT_END; alias XML_NODE_ATTRIBUTE = cef_xml_node_type_t.XML_NODE_ATTRIBUTE; alias XML_NODE_TEXT = cef_xml_node_type_t.XML_NODE_TEXT; alias XML_NODE_CDATA = cef_xml_node_type_t.XML_NODE_CDATA; alias XML_NODE_ENTITY_REFERENCE = cef_xml_node_type_t.XML_NODE_ENTITY_REFERENCE; alias XML_NODE_WHITESPACE = cef_xml_node_type_t.XML_NODE_WHITESPACE; alias XML_NODE_COMMENT = cef_xml_node_type_t.XML_NODE_COMMENT; /// /// Popup window features. /// struct cef_popup_features_t { int x; int xSet; int y; int ySet; int width; int widthSet; int height; int heightSet; /// True (1) if browser interface elements should be hidden. int isPopup; } /// /// DOM document types. /// enum cef_dom_document_type_t { DOM_DOCUMENT_TYPE_UNKNOWN = 0, DOM_DOCUMENT_TYPE_HTML = 1, DOM_DOCUMENT_TYPE_XHTML = 2, DOM_DOCUMENT_TYPE_PLUGIN = 3 } alias DOM_DOCUMENT_TYPE_UNKNOWN = cef_dom_document_type_t.DOM_DOCUMENT_TYPE_UNKNOWN; alias DOM_DOCUMENT_TYPE_HTML = cef_dom_document_type_t.DOM_DOCUMENT_TYPE_HTML; alias DOM_DOCUMENT_TYPE_XHTML = cef_dom_document_type_t.DOM_DOCUMENT_TYPE_XHTML; alias DOM_DOCUMENT_TYPE_PLUGIN = cef_dom_document_type_t.DOM_DOCUMENT_TYPE_PLUGIN; /// /// DOM event category flags. /// enum cef_dom_event_category_t { DOM_EVENT_CATEGORY_UNKNOWN = 0x0, DOM_EVENT_CATEGORY_UI = 0x1, DOM_EVENT_CATEGORY_MOUSE = 0x2, DOM_EVENT_CATEGORY_MUTATION = 0x4, DOM_EVENT_CATEGORY_KEYBOARD = 0x8, DOM_EVENT_CATEGORY_TEXT = 0x10, DOM_EVENT_CATEGORY_COMPOSITION = 0x20, DOM_EVENT_CATEGORY_DRAG = 0x40, DOM_EVENT_CATEGORY_CLIPBOARD = 0x80, DOM_EVENT_CATEGORY_MESSAGE = 0x100, DOM_EVENT_CATEGORY_WHEEL = 0x200, DOM_EVENT_CATEGORY_BEFORE_TEXT_INSERTED = 0x400, DOM_EVENT_CATEGORY_OVERFLOW = 0x800, DOM_EVENT_CATEGORY_PAGE_TRANSITION = 0x1000, DOM_EVENT_CATEGORY_POPSTATE = 0x2000, DOM_EVENT_CATEGORY_PROGRESS = 0x4000, DOM_EVENT_CATEGORY_XMLHTTPREQUEST_PROGRESS = 0x8000 } alias DOM_EVENT_CATEGORY_UNKNOWN = cef_dom_event_category_t.DOM_EVENT_CATEGORY_UNKNOWN; alias DOM_EVENT_CATEGORY_UI = cef_dom_event_category_t.DOM_EVENT_CATEGORY_UI; alias DOM_EVENT_CATEGORY_MOUSE = cef_dom_event_category_t.DOM_EVENT_CATEGORY_MOUSE; alias DOM_EVENT_CATEGORY_MUTATION = cef_dom_event_category_t.DOM_EVENT_CATEGORY_MUTATION; alias DOM_EVENT_CATEGORY_KEYBOARD = cef_dom_event_category_t.DOM_EVENT_CATEGORY_KEYBOARD; alias DOM_EVENT_CATEGORY_TEXT = cef_dom_event_category_t.DOM_EVENT_CATEGORY_TEXT; alias DOM_EVENT_CATEGORY_COMPOSITION = cef_dom_event_category_t.DOM_EVENT_CATEGORY_COMPOSITION; alias DOM_EVENT_CATEGORY_DRAG = cef_dom_event_category_t.DOM_EVENT_CATEGORY_DRAG; alias DOM_EVENT_CATEGORY_CLIPBOARD = cef_dom_event_category_t.DOM_EVENT_CATEGORY_CLIPBOARD; alias DOM_EVENT_CATEGORY_MESSAGE = cef_dom_event_category_t.DOM_EVENT_CATEGORY_MESSAGE; alias DOM_EVENT_CATEGORY_WHEEL = cef_dom_event_category_t.DOM_EVENT_CATEGORY_WHEEL; alias DOM_EVENT_CATEGORY_BEFORE_TEXT_INSERTED = cef_dom_event_category_t.DOM_EVENT_CATEGORY_BEFORE_TEXT_INSERTED; alias DOM_EVENT_CATEGORY_OVERFLOW = cef_dom_event_category_t.DOM_EVENT_CATEGORY_OVERFLOW; alias DOM_EVENT_CATEGORY_PAGE_TRANSITION = cef_dom_event_category_t.DOM_EVENT_CATEGORY_PAGE_TRANSITION; alias DOM_EVENT_CATEGORY_POPSTATE = cef_dom_event_category_t.DOM_EVENT_CATEGORY_POPSTATE; alias DOM_EVENT_CATEGORY_PROGRESS = cef_dom_event_category_t.DOM_EVENT_CATEGORY_PROGRESS; alias DOM_EVENT_CATEGORY_XMLHTTPREQUEST_PROGRESS = cef_dom_event_category_t.DOM_EVENT_CATEGORY_XMLHTTPREQUEST_PROGRESS; /// /// DOM event processing phases. /// enum cef_dom_event_phase_t { DOM_EVENT_PHASE_UNKNOWN = 0, DOM_EVENT_PHASE_CAPTURING = 1, DOM_EVENT_PHASE_AT_TARGET = 2, DOM_EVENT_PHASE_BUBBLING = 3 } alias DOM_EVENT_PHASE_UNKNOWN = cef_dom_event_phase_t.DOM_EVENT_PHASE_UNKNOWN; alias DOM_EVENT_PHASE_CAPTURING = cef_dom_event_phase_t.DOM_EVENT_PHASE_CAPTURING; alias DOM_EVENT_PHASE_AT_TARGET = cef_dom_event_phase_t.DOM_EVENT_PHASE_AT_TARGET; alias DOM_EVENT_PHASE_BUBBLING = cef_dom_event_phase_t.DOM_EVENT_PHASE_BUBBLING; /// /// DOM node types. /// enum cef_dom_node_type_t { DOM_NODE_TYPE_UNSUPPORTED = 0, DOM_NODE_TYPE_ELEMENT = 1, DOM_NODE_TYPE_ATTRIBUTE = 2, DOM_NODE_TYPE_TEXT = 3, DOM_NODE_TYPE_CDATA_SECTION = 4, DOM_NODE_TYPE_PROCESSING_INSTRUCTIONS = 5, DOM_NODE_TYPE_COMMENT = 6, DOM_NODE_TYPE_DOCUMENT = 7, DOM_NODE_TYPE_DOCUMENT_TYPE = 8, DOM_NODE_TYPE_DOCUMENT_FRAGMENT = 9 } alias DOM_NODE_TYPE_UNSUPPORTED = cef_dom_node_type_t.DOM_NODE_TYPE_UNSUPPORTED; alias DOM_NODE_TYPE_ELEMENT = cef_dom_node_type_t.DOM_NODE_TYPE_ELEMENT; alias DOM_NODE_TYPE_ATTRIBUTE = cef_dom_node_type_t.DOM_NODE_TYPE_ATTRIBUTE; alias DOM_NODE_TYPE_TEXT = cef_dom_node_type_t.DOM_NODE_TYPE_TEXT; alias DOM_NODE_TYPE_CDATA_SECTION = cef_dom_node_type_t.DOM_NODE_TYPE_CDATA_SECTION; alias DOM_NODE_TYPE_PROCESSING_INSTRUCTIONS = cef_dom_node_type_t.DOM_NODE_TYPE_PROCESSING_INSTRUCTIONS; alias DOM_NODE_TYPE_COMMENT = cef_dom_node_type_t.DOM_NODE_TYPE_COMMENT; alias DOM_NODE_TYPE_DOCUMENT = cef_dom_node_type_t.DOM_NODE_TYPE_DOCUMENT; alias DOM_NODE_TYPE_DOCUMENT_TYPE = cef_dom_node_type_t.DOM_NODE_TYPE_DOCUMENT_TYPE; alias DOM_NODE_TYPE_DOCUMENT_FRAGMENT = cef_dom_node_type_t.DOM_NODE_TYPE_DOCUMENT_FRAGMENT; /// /// DOM form control types. Should be kept in sync with Chromium's /// blink::mojom::FormControlType type. /// enum cef_dom_form_control_type_t { DOM_FORM_CONTROL_TYPE_UNSUPPORTED = 0, DOM_FORM_CONTROL_TYPE_BUTTON_BUTTON = 1, DOM_FORM_CONTROL_TYPE_BUTTON_SUBMIT = 2, DOM_FORM_CONTROL_TYPE_BUTTON_RESET = 3, DOM_FORM_CONTROL_TYPE_BUTTON_SELECT_LIST = 4, DOM_FORM_CONTROL_TYPE_FIELDSET = 5, DOM_FORM_CONTROL_TYPE_INPUT_BUTTON = 6, DOM_FORM_CONTROL_TYPE_INPUT_CHECKBOX = 7, DOM_FORM_CONTROL_TYPE_INPUT_COLOR = 8, DOM_FORM_CONTROL_TYPE_INPUT_DATE = 9, DOM_FORM_CONTROL_TYPE_INPUT_DATETIME_LOCAL = 10, DOM_FORM_CONTROL_TYPE_INPUT_EMAIL = 11, DOM_FORM_CONTROL_TYPE_INPUT_FILE = 12, DOM_FORM_CONTROL_TYPE_INPUT_HIDDEN = 13, DOM_FORM_CONTROL_TYPE_INPUT_IMAGE = 14, DOM_FORM_CONTROL_TYPE_INPUT_MONTH = 15, DOM_FORM_CONTROL_TYPE_INPUT_NUMBER = 16, DOM_FORM_CONTROL_TYPE_INPUT_PASSWORD = 17, DOM_FORM_CONTROL_TYPE_INPUT_RADIO = 18, DOM_FORM_CONTROL_TYPE_INPUT_RANGE = 19, DOM_FORM_CONTROL_TYPE_INPUT_RESET = 20, DOM_FORM_CONTROL_TYPE_INPUT_SEARCH = 21, DOM_FORM_CONTROL_TYPE_INPUT_SUBMIT = 22, DOM_FORM_CONTROL_TYPE_INPUT_TELEPHONE = 23, DOM_FORM_CONTROL_TYPE_INPUT_TEXT = 24, DOM_FORM_CONTROL_TYPE_INPUT_TIME = 25, DOM_FORM_CONTROL_TYPE_INPUT_URL = 26, DOM_FORM_CONTROL_TYPE_INPUT_WEEK = 27, DOM_FORM_CONTROL_TYPE_OUTPUT = 28, DOM_FORM_CONTROL_TYPE_SELECT_ONE = 29, DOM_FORM_CONTROL_TYPE_SELECT_MULTIPLE = 30, DOM_FORM_CONTROL_TYPE_SELECT_LIST = 31, DOM_FORM_CONTROL_TYPE_TEXT_AREA = 32 } alias DOM_FORM_CONTROL_TYPE_UNSUPPORTED = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_UNSUPPORTED; alias DOM_FORM_CONTROL_TYPE_BUTTON_BUTTON = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_BUTTON_BUTTON; alias DOM_FORM_CONTROL_TYPE_BUTTON_SUBMIT = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_BUTTON_SUBMIT; alias DOM_FORM_CONTROL_TYPE_BUTTON_RESET = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_BUTTON_RESET; alias DOM_FORM_CONTROL_TYPE_BUTTON_SELECT_LIST = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_BUTTON_SELECT_LIST; alias DOM_FORM_CONTROL_TYPE_FIELDSET = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_FIELDSET; alias DOM_FORM_CONTROL_TYPE_INPUT_BUTTON = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_INPUT_BUTTON; alias DOM_FORM_CONTROL_TYPE_INPUT_CHECKBOX = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_INPUT_CHECKBOX; alias DOM_FORM_CONTROL_TYPE_INPUT_COLOR = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_INPUT_COLOR; alias DOM_FORM_CONTROL_TYPE_INPUT_DATE = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_INPUT_DATE; alias DOM_FORM_CONTROL_TYPE_INPUT_DATETIME_LOCAL = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_INPUT_DATETIME_LOCAL; alias DOM_FORM_CONTROL_TYPE_INPUT_EMAIL = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_INPUT_EMAIL; alias DOM_FORM_CONTROL_TYPE_INPUT_FILE = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_INPUT_FILE; alias DOM_FORM_CONTROL_TYPE_INPUT_HIDDEN = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_INPUT_HIDDEN; alias DOM_FORM_CONTROL_TYPE_INPUT_IMAGE = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_INPUT_IMAGE; alias DOM_FORM_CONTROL_TYPE_INPUT_MONTH = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_INPUT_MONTH; alias DOM_FORM_CONTROL_TYPE_INPUT_NUMBER = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_INPUT_NUMBER; alias DOM_FORM_CONTROL_TYPE_INPUT_PASSWORD = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_INPUT_PASSWORD; alias DOM_FORM_CONTROL_TYPE_INPUT_RADIO = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_INPUT_RADIO; alias DOM_FORM_CONTROL_TYPE_INPUT_RANGE = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_INPUT_RANGE; alias DOM_FORM_CONTROL_TYPE_INPUT_RESET = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_INPUT_RESET; alias DOM_FORM_CONTROL_TYPE_INPUT_SEARCH = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_INPUT_SEARCH; alias DOM_FORM_CONTROL_TYPE_INPUT_SUBMIT = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_INPUT_SUBMIT; alias DOM_FORM_CONTROL_TYPE_INPUT_TELEPHONE = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_INPUT_TELEPHONE; alias DOM_FORM_CONTROL_TYPE_INPUT_TEXT = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_INPUT_TEXT; alias DOM_FORM_CONTROL_TYPE_INPUT_TIME = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_INPUT_TIME; alias DOM_FORM_CONTROL_TYPE_INPUT_URL = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_INPUT_URL; alias DOM_FORM_CONTROL_TYPE_INPUT_WEEK = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_INPUT_WEEK; alias DOM_FORM_CONTROL_TYPE_OUTPUT = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_OUTPUT; alias DOM_FORM_CONTROL_TYPE_SELECT_ONE = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_SELECT_ONE; alias DOM_FORM_CONTROL_TYPE_SELECT_MULTIPLE = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_SELECT_MULTIPLE; alias DOM_FORM_CONTROL_TYPE_SELECT_LIST = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_SELECT_LIST; alias DOM_FORM_CONTROL_TYPE_TEXT_AREA = cef_dom_form_control_type_t.DOM_FORM_CONTROL_TYPE_TEXT_AREA; /// /// Supported file dialog modes. /// enum cef_file_dialog_mode_t { /// /// Requires that the file exists before allowing the user to pick it. /// FILE_DIALOG_OPEN = 0, /// /// Like Open, but allows picking multiple files to open. /// FILE_DIALOG_OPEN_MULTIPLE = 1, /// /// Like Open, but selects a folder to open. /// FILE_DIALOG_OPEN_FOLDER = 2, /// /// Allows picking a nonexistent file, and prompts to overwrite if the file /// already exists. /// FILE_DIALOG_SAVE = 3 } alias FILE_DIALOG_OPEN = cef_file_dialog_mode_t.FILE_DIALOG_OPEN; alias FILE_DIALOG_OPEN_MULTIPLE = cef_file_dialog_mode_t.FILE_DIALOG_OPEN_MULTIPLE; alias FILE_DIALOG_OPEN_FOLDER = cef_file_dialog_mode_t.FILE_DIALOG_OPEN_FOLDER; alias FILE_DIALOG_SAVE = cef_file_dialog_mode_t.FILE_DIALOG_SAVE; /// /// Print job color mode values. /// enum cef_color_model_t { COLOR_MODEL_UNKNOWN = 0, COLOR_MODEL_GRAY = 1, COLOR_MODEL_COLOR = 2, COLOR_MODEL_CMYK = 3, COLOR_MODEL_CMY = 4, COLOR_MODEL_KCMY = 5, COLOR_MODEL_CMY_K = 6, // CMY_K represents CMY+K. COLOR_MODEL_BLACK = 7, COLOR_MODEL_GRAYSCALE = 8, COLOR_MODEL_RGB = 9, COLOR_MODEL_RGB16 = 10, COLOR_MODEL_RGBA = 11, COLOR_MODEL_COLORMODE_COLOR = 12, // Used in samsung printer ppds. COLOR_MODEL_COLORMODE_MONOCHROME = 13, // Used in samsung printer ppds. COLOR_MODEL_HP_COLOR_COLOR = 14, // Used in HP color printer ppds. COLOR_MODEL_HP_COLOR_BLACK = 15, // Used in HP color printer ppds. COLOR_MODEL_PRINTOUTMODE_NORMAL = 16, // Used in foomatic ppds. COLOR_MODEL_PRINTOUTMODE_NORMAL_GRAY = 17, // Used in foomatic ppds. COLOR_MODEL_PROCESSCOLORMODEL_CMYK = 18, // Used in canon printer ppds. COLOR_MODEL_PROCESSCOLORMODEL_GREYSCALE = 19, // Used in canon printer ppds. COLOR_MODEL_PROCESSCOLORMODEL_RGB = 20 // Used in canon printer ppds } alias COLOR_MODEL_UNKNOWN = cef_color_model_t.COLOR_MODEL_UNKNOWN; alias COLOR_MODEL_GRAY = cef_color_model_t.COLOR_MODEL_GRAY; alias COLOR_MODEL_COLOR = cef_color_model_t.COLOR_MODEL_COLOR; alias COLOR_MODEL_CMYK = cef_color_model_t.COLOR_MODEL_CMYK; alias COLOR_MODEL_CMY = cef_color_model_t.COLOR_MODEL_CMY; alias COLOR_MODEL_KCMY = cef_color_model_t.COLOR_MODEL_KCMY; alias COLOR_MODEL_CMY_K = cef_color_model_t.COLOR_MODEL_CMY_K; alias COLOR_MODEL_BLACK = cef_color_model_t.COLOR_MODEL_BLACK; alias COLOR_MODEL_GRAYSCALE = cef_color_model_t.COLOR_MODEL_GRAYSCALE; alias COLOR_MODEL_RGB = cef_color_model_t.COLOR_MODEL_RGB; alias COLOR_MODEL_RGB16 = cef_color_model_t.COLOR_MODEL_RGB16; alias COLOR_MODEL_RGBA = cef_color_model_t.COLOR_MODEL_RGBA; alias COLOR_MODEL_COLORMODE_COLOR = cef_color_model_t.COLOR_MODEL_COLORMODE_COLOR; alias COLOR_MODEL_COLORMODE_MONOCHROME = cef_color_model_t.COLOR_MODEL_COLORMODE_MONOCHROME; alias COLOR_MODEL_HP_COLOR_COLOR = cef_color_model_t.COLOR_MODEL_HP_COLOR_COLOR; alias COLOR_MODEL_HP_COLOR_BLACK = cef_color_model_t.COLOR_MODEL_HP_COLOR_BLACK; alias COLOR_MODEL_PRINTOUTMODE_NORMAL = cef_color_model_t.COLOR_MODEL_PRINTOUTMODE_NORMAL; alias COLOR_MODEL_PRINTOUTMODE_NORMAL_GRAY = cef_color_model_t.COLOR_MODEL_PRINTOUTMODE_NORMAL_GRAY; alias COLOR_MODEL_PROCESSCOLORMODEL_CMYK = cef_color_model_t.COLOR_MODEL_PROCESSCOLORMODEL_CMYK; alias COLOR_MODEL_PROCESSCOLORMODEL_GREYSCALE = cef_color_model_t.COLOR_MODEL_PROCESSCOLORMODEL_GREYSCALE; alias COLOR_MODEL_PROCESSCOLORMODEL_RGB = cef_color_model_t.COLOR_MODEL_PROCESSCOLORMODEL_RGB; /// /// Print job duplex mode values. /// enum cef_duplex_mode_t { DUPLEX_MODE_UNKNOWN = -1, DUPLEX_MODE_SIMPLEX = 0, DUPLEX_MODE_LONG_EDGE = 1, DUPLEX_MODE_SHORT_EDGE = 2 } alias DUPLEX_MODE_UNKNOWN = cef_duplex_mode_t.DUPLEX_MODE_UNKNOWN; alias DUPLEX_MODE_SIMPLEX = cef_duplex_mode_t.DUPLEX_MODE_SIMPLEX; alias DUPLEX_MODE_LONG_EDGE = cef_duplex_mode_t.DUPLEX_MODE_LONG_EDGE; alias DUPLEX_MODE_SHORT_EDGE = cef_duplex_mode_t.DUPLEX_MODE_SHORT_EDGE; /// /// Cursor type values. /// enum cef_cursor_type_t { CT_POINTER = 0, CT_CROSS = 1, CT_HAND = 2, CT_IBEAM = 3, CT_WAIT = 4, CT_HELP = 5, CT_EASTRESIZE = 6, CT_NORTHRESIZE = 7, CT_NORTHEASTRESIZE = 8, CT_NORTHWESTRESIZE = 9, CT_SOUTHRESIZE = 10, CT_SOUTHEASTRESIZE = 11, CT_SOUTHWESTRESIZE = 12, CT_WESTRESIZE = 13, CT_NORTHSOUTHRESIZE = 14, CT_EASTWESTRESIZE = 15, CT_NORTHEASTSOUTHWESTRESIZE = 16, CT_NORTHWESTSOUTHEASTRESIZE = 17, CT_COLUMNRESIZE = 18, CT_ROWRESIZE = 19, CT_MIDDLEPANNING = 20, CT_EASTPANNING = 21, CT_NORTHPANNING = 22, CT_NORTHEASTPANNING = 23, CT_NORTHWESTPANNING = 24, CT_SOUTHPANNING = 25, CT_SOUTHEASTPANNING = 26, CT_SOUTHWESTPANNING = 27, CT_WESTPANNING = 28, CT_MOVE = 29, CT_VERTICALTEXT = 30, CT_CELL = 31, CT_CONTEXTMENU = 32, CT_ALIAS = 33, CT_PROGRESS = 34, CT_NODROP = 35, CT_COPY = 36, CT_NONE = 37, CT_NOTALLOWED = 38, CT_ZOOMIN = 39, CT_ZOOMOUT = 40, CT_GRAB = 41, CT_GRABBING = 42, CT_MIDDLE_PANNING_VERTICAL = 43, CT_MIDDLE_PANNING_HORIZONTAL = 44, CT_CUSTOM = 45, CT_DND_NONE = 46, CT_DND_MOVE = 47, CT_DND_COPY = 48, CT_DND_LINK = 49 } alias CT_POINTER = cef_cursor_type_t.CT_POINTER; alias CT_CROSS = cef_cursor_type_t.CT_CROSS; alias CT_HAND = cef_cursor_type_t.CT_HAND; alias CT_IBEAM = cef_cursor_type_t.CT_IBEAM; alias CT_WAIT = cef_cursor_type_t.CT_WAIT; alias CT_HELP = cef_cursor_type_t.CT_HELP; alias CT_EASTRESIZE = cef_cursor_type_t.CT_EASTRESIZE; alias CT_NORTHRESIZE = cef_cursor_type_t.CT_NORTHRESIZE; alias CT_NORTHEASTRESIZE = cef_cursor_type_t.CT_NORTHEASTRESIZE; alias CT_NORTHWESTRESIZE = cef_cursor_type_t.CT_NORTHWESTRESIZE; alias CT_SOUTHRESIZE = cef_cursor_type_t.CT_SOUTHRESIZE; alias CT_SOUTHEASTRESIZE = cef_cursor_type_t.CT_SOUTHEASTRESIZE; alias CT_SOUTHWESTRESIZE = cef_cursor_type_t.CT_SOUTHWESTRESIZE; alias CT_WESTRESIZE = cef_cursor_type_t.CT_WESTRESIZE; alias CT_NORTHSOUTHRESIZE = cef_cursor_type_t.CT_NORTHSOUTHRESIZE; alias CT_EASTWESTRESIZE = cef_cursor_type_t.CT_EASTWESTRESIZE; alias CT_NORTHEASTSOUTHWESTRESIZE = cef_cursor_type_t.CT_NORTHEASTSOUTHWESTRESIZE; alias CT_NORTHWESTSOUTHEASTRESIZE = cef_cursor_type_t.CT_NORTHWESTSOUTHEASTRESIZE; alias CT_COLUMNRESIZE = cef_cursor_type_t.CT_COLUMNRESIZE; alias CT_ROWRESIZE = cef_cursor_type_t.CT_ROWRESIZE; alias CT_MIDDLEPANNING = cef_cursor_type_t.CT_MIDDLEPANNING; alias CT_EASTPANNING = cef_cursor_type_t.CT_EASTPANNING; alias CT_NORTHPANNING = cef_cursor_type_t.CT_NORTHPANNING; alias CT_NORTHEASTPANNING = cef_cursor_type_t.CT_NORTHEASTPANNING; alias CT_NORTHWESTPANNING = cef_cursor_type_t.CT_NORTHWESTPANNING; alias CT_SOUTHPANNING = cef_cursor_type_t.CT_SOUTHPANNING; alias CT_SOUTHEASTPANNING = cef_cursor_type_t.CT_SOUTHEASTPANNING; alias CT_SOUTHWESTPANNING = cef_cursor_type_t.CT_SOUTHWESTPANNING; alias CT_WESTPANNING = cef_cursor_type_t.CT_WESTPANNING; alias CT_MOVE = cef_cursor_type_t.CT_MOVE; alias CT_VERTICALTEXT = cef_cursor_type_t.CT_VERTICALTEXT; alias CT_CELL = cef_cursor_type_t.CT_CELL; alias CT_CONTEXTMENU = cef_cursor_type_t.CT_CONTEXTMENU; alias CT_ALIAS = cef_cursor_type_t.CT_ALIAS; alias CT_PROGRESS = cef_cursor_type_t.CT_PROGRESS; alias CT_NODROP = cef_cursor_type_t.CT_NODROP; alias CT_COPY = cef_cursor_type_t.CT_COPY; alias CT_NONE = cef_cursor_type_t.CT_NONE; alias CT_NOTALLOWED = cef_cursor_type_t.CT_NOTALLOWED; alias CT_ZOOMIN = cef_cursor_type_t.CT_ZOOMIN; alias CT_ZOOMOUT = cef_cursor_type_t.CT_ZOOMOUT; alias CT_GRAB = cef_cursor_type_t.CT_GRAB; alias CT_GRABBING = cef_cursor_type_t.CT_GRABBING; alias CT_MIDDLE_PANNING_VERTICAL = cef_cursor_type_t.CT_MIDDLE_PANNING_VERTICAL; alias CT_MIDDLE_PANNING_HORIZONTAL = cef_cursor_type_t.CT_MIDDLE_PANNING_HORIZONTAL; alias CT_CUSTOM = cef_cursor_type_t.CT_CUSTOM; alias CT_DND_NONE = cef_cursor_type_t.CT_DND_NONE; alias CT_DND_MOVE = cef_cursor_type_t.CT_DND_MOVE; alias CT_DND_COPY = cef_cursor_type_t.CT_DND_COPY; alias CT_DND_LINK = cef_cursor_type_t.CT_DND_LINK; /// /// Structure representing cursor information. |buffer| will be /// |size.width|*|size.height|*4 bytes in size and represents a BGRA image with /// an upper-left origin. /// struct cef_cursor_info_t { cef_point_t hotspot; float image_scale_factor; void* buffer; cef_size_t size; } /// /// URI unescape rules passed to CefURIDecode(). /// enum cef_uri_unescape_rule_t { /// /// Don't unescape anything at all. /// UU_NONE = 0, /// /// Don't unescape anything special, but all normal unescaping will happen. /// This is a placeholder and can't be combined with other flags (since it's /// just the absence of them). All other unescape rules imply "normal" in /// addition to their special meaning. Things like escaped letters, digits, /// and most symbols will get unescaped with this mode. /// UU_NORMAL = 1 << 0, /// /// Convert %20 to spaces. In some places where we're showing URLs, we may /// want this. In places where the URL may be copied and pasted out, then /// you wouldn't want this since it might not be interpreted in one piece /// by other applications. /// UU_SPACES = 1 << 1, /// /// Unescapes '/' and '\\'. If these characters were unescaped, the resulting /// URL won't be the same as the source one. Moreover, they are dangerous to /// unescape in strings that will be used as file paths or names. This value /// should only be used when slashes don't have special meaning, like data /// URLs. /// UU_PATH_SEPARATORS = 1 << 2, /// /// Unescapes various characters that will change the meaning of URLs, /// including '%', '+', '&', '#'. Does not unescape path separators. /// If these characters were unescaped, the resulting URL won't be the same /// as the source one. This flag is used when generating final output like /// filenames for URLs where we won't be interpreting as a URL and want to do /// as much unescaping as possible. /// UU_URL_SPECIAL_CHARS_EXCEPT_PATH_SEPARATORS = 1 << 3, /// /// URL queries use "+" for space. This flag controls that replacement. /// UU_REPLACE_PLUS_WITH_SPACE = 1 << 4 } alias UU_NONE = cef_uri_unescape_rule_t.UU_NONE; alias UU_NORMAL = cef_uri_unescape_rule_t.UU_NORMAL; alias UU_SPACES = cef_uri_unescape_rule_t.UU_SPACES; alias UU_PATH_SEPARATORS = cef_uri_unescape_rule_t.UU_PATH_SEPARATORS; alias UU_URL_SPECIAL_CHARS_EXCEPT_PATH_SEPARATORS = cef_uri_unescape_rule_t.UU_URL_SPECIAL_CHARS_EXCEPT_PATH_SEPARATORS; alias UU_REPLACE_PLUS_WITH_SPACE = cef_uri_unescape_rule_t.UU_REPLACE_PLUS_WITH_SPACE; /// /// Options that can be passed to CefParseJSON. /// enum cef_json_parser_options_t { /// /// Parses the input strictly according to RFC 4627. See comments in /// Chromium's base/json/json_reader.h file for known limitations/ /// deviations from the RFC. /// JSON_PARSER_RFC = 0, /// /// Allows commas to exist after the last element in structures. /// JSON_PARSER_ALLOW_TRAILING_COMMAS = 1 << 0 } alias JSON_PARSER_RFC = cef_json_parser_options_t.JSON_PARSER_RFC; alias JSON_PARSER_ALLOW_TRAILING_COMMAS = cef_json_parser_options_t.JSON_PARSER_ALLOW_TRAILING_COMMAS; /// /// Options that can be passed to CefWriteJSON. /// enum cef_json_writer_options_t { /// /// Default behavior. /// JSON_WRITER_DEFAULT = 0, /// /// This option instructs the writer that if a Binary value is encountered, /// the value (and key if within a dictionary) will be omitted from the /// output, and success will be returned. Otherwise, if a binary value is /// encountered, failure will be returned. /// JSON_WRITER_OMIT_BINARY_VALUES = 1 << 0, /// /// This option instructs the writer to write doubles that have no fractional /// part as a normal integer (i.e., without using exponential notation /// or appending a '.0') as long as the value is within the range of a /// 64-bit int. /// JSON_WRITER_OMIT_DOUBLE_TYPE_PRESERVATION = 1 << 1, /// /// Return a slightly nicer formatted json string (pads with whitespace to /// help with readability). /// JSON_WRITER_PRETTY_PRINT = 1 << 2 } alias JSON_WRITER_DEFAULT = cef_json_writer_options_t.JSON_WRITER_DEFAULT; alias JSON_WRITER_OMIT_BINARY_VALUES = cef_json_writer_options_t.JSON_WRITER_OMIT_BINARY_VALUES; alias JSON_WRITER_OMIT_DOUBLE_TYPE_PRESERVATION = cef_json_writer_options_t.JSON_WRITER_OMIT_DOUBLE_TYPE_PRESERVATION; alias JSON_WRITER_PRETTY_PRINT = cef_json_writer_options_t.JSON_WRITER_PRETTY_PRINT; /// /// Margin type for PDF printing. /// enum cef_pdf_print_margin_type_t { /// /// Default margins of 1cm (~0.4 inches). /// PDF_PRINT_MARGIN_DEFAULT = 0, /// /// No margins. /// PDF_PRINT_MARGIN_NONE = 1, /// /// Custom margins using the |margin_*| values from cef_pdf_print_settings_t. /// PDF_PRINT_MARGIN_CUSTOM = 2 } alias PDF_PRINT_MARGIN_DEFAULT = cef_pdf_print_margin_type_t.PDF_PRINT_MARGIN_DEFAULT; alias PDF_PRINT_MARGIN_NONE = cef_pdf_print_margin_type_t.PDF_PRINT_MARGIN_NONE; alias PDF_PRINT_MARGIN_CUSTOM = cef_pdf_print_margin_type_t.PDF_PRINT_MARGIN_CUSTOM; /// /// Structure representing PDF print settings. These values match the parameters /// supported by the DevTools Page.printToPDF function. See /// https://chromedevtools.github.io/devtools-protocol/tot/Page/#method-printToPDF /// struct cef_pdf_print_settings_t { /// /// Set to true (1) for landscape mode or false (0) for portrait mode. /// int landscape; /// /// Set to true (1) to print background graphics. /// int print_background; /// /// The percentage to scale the PDF by before printing (e.g. .5 is 50%). /// If this value is less than or equal to zero the default value of 1.0 /// will be used. /// double scale; /// /// Output paper size in inches. If either of these values is less than or /// equal to zero then the default paper size (letter, 8.5 x 11 inches) will /// be used. /// double paper_width; double paper_height; /// /// Set to true (1) to prefer page size as defined by css. Defaults to false /// (0), in which case the content will be scaled to fit the paper size. /// int prefer_css_page_size; /// /// Margin type. /// cef_pdf_print_margin_type_t margin_type; /// /// Margins in inches. Only used if |margin_type| is set to /// PDF_PRINT_MARGIN_CUSTOM. /// double margin_top; double margin_right; double margin_bottom; double margin_left; /// /// Paper ranges to print, one based, e.g., '1-5, 8, 11-13'. Pages are printed /// in the document order, not in the order specified, and no more than once. /// Defaults to empty string, which implies the entire document is printed. /// The page numbers are quietly capped to actual page count of the document, /// and ranges beyond the end of the document are ignored. If this results in /// no pages to print, an error is reported. It is an error to specify a range /// with start greater than end. /// cef_string_t page_ranges; /// /// Set to true (1) to display the header and/or footer. Modify /// |header_template| and/or |footer_template| to customize the display. /// int display_header_footer; /// /// HTML template for the print header. Only displayed if /// |display_header_footer| is true (1). Should be valid HTML markup with /// the following classes used to inject printing values into them: /// /// - date: formatted print date /// - title: document title /// - url: document location /// - pageNumber: current page number /// - totalPages: total pages in the document /// /// For example, "" would generate a span containing /// the title. /// cef_string_t header_template; /// /// HTML template for the print footer. Only displayed if /// |display_header_footer| is true (1). Uses the same format as /// |header_template|. /// cef_string_t footer_template; /// /// Set to true (1) to generate tagged (accessible) PDF. /// int generate_tagged_pdf; } /// /// Supported UI scale factors for the platform. SCALE_FACTOR_NONE is used for /// density independent resources such as string, html/js files or an image that /// can be used for any scale factors (such as wallpapers). /// enum cef_scale_factor_t { SCALE_FACTOR_NONE = 0, SCALE_FACTOR_100P = 1, SCALE_FACTOR_125P = 2, SCALE_FACTOR_133P = 3, SCALE_FACTOR_140P = 4, SCALE_FACTOR_150P = 5, SCALE_FACTOR_180P = 6, SCALE_FACTOR_200P = 7, SCALE_FACTOR_250P = 8, SCALE_FACTOR_300P = 9 } alias SCALE_FACTOR_NONE = cef_scale_factor_t.SCALE_FACTOR_NONE; alias SCALE_FACTOR_100P = cef_scale_factor_t.SCALE_FACTOR_100P; alias SCALE_FACTOR_125P = cef_scale_factor_t.SCALE_FACTOR_125P; alias SCALE_FACTOR_133P = cef_scale_factor_t.SCALE_FACTOR_133P; alias SCALE_FACTOR_140P = cef_scale_factor_t.SCALE_FACTOR_140P; alias SCALE_FACTOR_150P = cef_scale_factor_t.SCALE_FACTOR_150P; alias SCALE_FACTOR_180P = cef_scale_factor_t.SCALE_FACTOR_180P; alias SCALE_FACTOR_200P = cef_scale_factor_t.SCALE_FACTOR_200P; alias SCALE_FACTOR_250P = cef_scale_factor_t.SCALE_FACTOR_250P; alias SCALE_FACTOR_300P = cef_scale_factor_t.SCALE_FACTOR_300P; /// /// Policy for how the Referrer HTTP header value will be sent during /// navigation. If the `--no-referrers` command-line flag is specified then the /// policy value will be ignored and the Referrer value will never be sent. Must /// be kept synchronized with net::URLRequest::ReferrerPolicy from Chromium. /// enum cef_referrer_policy_t { /// /// Clear the referrer header if the header value is HTTPS but the request /// destination is HTTP. This is the default behavior. /// REFERRER_POLICY_CLEAR_REFERRER_ON_TRANSITION_FROM_SECURE_TO_INSECURE = 0, REFERRER_POLICY_DEFAULT = REFERRER_POLICY_CLEAR_REFERRER_ON_TRANSITION_FROM_SECURE_TO_INSECURE, /// /// A slight variant on CLEAR_REFERRER_ON_TRANSITION_FROM_SECURE_TO_INSECURE: /// If the request destination is HTTP, an HTTPS referrer will be cleared. If /// the request's destination is cross-origin with the referrer (but does not /// downgrade), the referrer's granularity will be stripped down to an origin /// rather than a full URL. Same-origin requests will send the full referrer. /// REFERRER_POLICY_REDUCE_REFERRER_GRANULARITY_ON_TRANSITION_CROSS_ORIGIN = 1, /// /// Strip the referrer down to an origin when the origin of the referrer is /// different from the destination's origin. /// REFERRER_POLICY_ORIGIN_ONLY_ON_TRANSITION_CROSS_ORIGIN = 2, /// /// Never change the referrer. /// REFERRER_POLICY_NEVER_CLEAR_REFERRER = 3, /// /// Strip the referrer down to the origin regardless of the redirect location. /// REFERRER_POLICY_ORIGIN = 4, /// /// Clear the referrer when the request's referrer is cross-origin with the /// request's destination. /// REFERRER_POLICY_CLEAR_REFERRER_ON_TRANSITION_CROSS_ORIGIN = 5, /// /// Strip the referrer down to the origin, but clear it entirely if the /// referrer value is HTTPS and the destination is HTTP. /// REFERRER_POLICY_ORIGIN_CLEAR_ON_TRANSITION_FROM_SECURE_TO_INSECURE = 6, /// /// Always clear the referrer regardless of the request destination. /// REFERRER_POLICY_NO_REFERRER = 7, /// Always the last value in this enumeration. REFERRER_POLICY_LAST_VALUE = REFERRER_POLICY_NO_REFERRER } alias REFERRER_POLICY_CLEAR_REFERRER_ON_TRANSITION_FROM_SECURE_TO_INSECURE = cef_referrer_policy_t.REFERRER_POLICY_CLEAR_REFERRER_ON_TRANSITION_FROM_SECURE_TO_INSECURE; alias REFERRER_POLICY_DEFAULT = cef_referrer_policy_t.REFERRER_POLICY_DEFAULT; alias REFERRER_POLICY_REDUCE_REFERRER_GRANULARITY_ON_TRANSITION_CROSS_ORIGIN = cef_referrer_policy_t.REFERRER_POLICY_REDUCE_REFERRER_GRANULARITY_ON_TRANSITION_CROSS_ORIGIN; alias REFERRER_POLICY_ORIGIN_ONLY_ON_TRANSITION_CROSS_ORIGIN = cef_referrer_policy_t.REFERRER_POLICY_ORIGIN_ONLY_ON_TRANSITION_CROSS_ORIGIN; alias REFERRER_POLICY_NEVER_CLEAR_REFERRER = cef_referrer_policy_t.REFERRER_POLICY_NEVER_CLEAR_REFERRER; alias REFERRER_POLICY_ORIGIN = cef_referrer_policy_t.REFERRER_POLICY_ORIGIN; alias REFERRER_POLICY_CLEAR_REFERRER_ON_TRANSITION_CROSS_ORIGIN = cef_referrer_policy_t.REFERRER_POLICY_CLEAR_REFERRER_ON_TRANSITION_CROSS_ORIGIN; alias REFERRER_POLICY_ORIGIN_CLEAR_ON_TRANSITION_FROM_SECURE_TO_INSECURE = cef_referrer_policy_t.REFERRER_POLICY_ORIGIN_CLEAR_ON_TRANSITION_FROM_SECURE_TO_INSECURE; alias REFERRER_POLICY_NO_REFERRER = cef_referrer_policy_t.REFERRER_POLICY_NO_REFERRER; alias REFERRER_POLICY_LAST_VALUE = cef_referrer_policy_t.REFERRER_POLICY_LAST_VALUE; /// /// Return values for CefResponseFilter::Filter(). /// enum cef_response_filter_status_t { /// /// Some or all of the pre-filter data was read successfully but more data is /// needed in order to continue filtering (filtered output is pending). /// RESPONSE_FILTER_NEED_MORE_DATA = 0, /// /// Some or all of the pre-filter data was read successfully and all available /// filtered output has been written. /// RESPONSE_FILTER_DONE = 1, /// /// An error occurred during filtering. /// RESPONSE_FILTER_ERROR = 2 } alias RESPONSE_FILTER_NEED_MORE_DATA = cef_response_filter_status_t.RESPONSE_FILTER_NEED_MORE_DATA; alias RESPONSE_FILTER_DONE = cef_response_filter_status_t.RESPONSE_FILTER_DONE; alias RESPONSE_FILTER_ERROR = cef_response_filter_status_t.RESPONSE_FILTER_ERROR; /// /// Describes how to interpret the components of a pixel. /// enum cef_color_type_t { /// /// RGBA with 8 bits per pixel (32bits total). /// CEF_COLOR_TYPE_RGBA_8888 = 0, /// /// BGRA with 8 bits per pixel (32bits total). /// CEF_COLOR_TYPE_BGRA_8888 = 1 } alias CEF_COLOR_TYPE_RGBA_8888 = cef_color_type_t.CEF_COLOR_TYPE_RGBA_8888; alias CEF_COLOR_TYPE_BGRA_8888 = cef_color_type_t.CEF_COLOR_TYPE_BGRA_8888; /// /// Describes how to interpret the alpha component of a pixel. /// enum cef_alpha_type_t { /// /// No transparency. The alpha component is ignored. /// CEF_ALPHA_TYPE_OPAQUE = 0, /// /// Transparency with pre-multiplied alpha component. /// CEF_ALPHA_TYPE_PREMULTIPLIED = 1, /// /// Transparency with post-multiplied alpha component. /// CEF_ALPHA_TYPE_POSTMULTIPLIED = 2 } alias CEF_ALPHA_TYPE_OPAQUE = cef_alpha_type_t.CEF_ALPHA_TYPE_OPAQUE; alias CEF_ALPHA_TYPE_PREMULTIPLIED = cef_alpha_type_t.CEF_ALPHA_TYPE_PREMULTIPLIED; alias CEF_ALPHA_TYPE_POSTMULTIPLIED = cef_alpha_type_t.CEF_ALPHA_TYPE_POSTMULTIPLIED; /// /// Text style types. Should be kepy in sync with gfx::TextStyle. /// enum cef_text_style_t { CEF_TEXT_STYLE_BOLD = 0, CEF_TEXT_STYLE_ITALIC = 1, CEF_TEXT_STYLE_STRIKE = 2, CEF_TEXT_STYLE_DIAGONAL_STRIKE = 3, CEF_TEXT_STYLE_UNDERLINE = 4 } alias CEF_TEXT_STYLE_BOLD = cef_text_style_t.CEF_TEXT_STYLE_BOLD; alias CEF_TEXT_STYLE_ITALIC = cef_text_style_t.CEF_TEXT_STYLE_ITALIC; alias CEF_TEXT_STYLE_STRIKE = cef_text_style_t.CEF_TEXT_STYLE_STRIKE; alias CEF_TEXT_STYLE_DIAGONAL_STRIKE = cef_text_style_t.CEF_TEXT_STYLE_DIAGONAL_STRIKE; alias CEF_TEXT_STYLE_UNDERLINE = cef_text_style_t.CEF_TEXT_STYLE_UNDERLINE; /// /// Specifies where along the main axis the CefBoxLayout child views should be /// laid out. /// enum cef_main_axis_alignment_t { /// /// Child views will be left-aligned. /// CEF_MAIN_AXIS_ALIGNMENT_START = 0, /// /// Child views will be center-aligned. /// CEF_MAIN_AXIS_ALIGNMENT_CENTER = 1, /// /// Child views will be right-aligned. /// CEF_MAIN_AXIS_ALIGNMENT_END = 2 } alias CEF_MAIN_AXIS_ALIGNMENT_START = cef_main_axis_alignment_t.CEF_MAIN_AXIS_ALIGNMENT_START; alias CEF_MAIN_AXIS_ALIGNMENT_CENTER = cef_main_axis_alignment_t.CEF_MAIN_AXIS_ALIGNMENT_CENTER; alias CEF_MAIN_AXIS_ALIGNMENT_END = cef_main_axis_alignment_t.CEF_MAIN_AXIS_ALIGNMENT_END; /// /// Specifies where along the cross axis the CefBoxLayout child views should be /// laid out. /// enum cef_cross_axis_alignment_t { /// /// Child views will be stretched to fit. /// CEF_CROSS_AXIS_ALIGNMENT_STRETCH = 0, /// /// Child views will be left-aligned. /// CEF_CROSS_AXIS_ALIGNMENT_START = 1, /// /// Child views will be center-aligned. /// CEF_CROSS_AXIS_ALIGNMENT_CENTER = 2, /// /// Child views will be right-aligned. /// CEF_CROSS_AXIS_ALIGNMENT_END = 3 } alias CEF_CROSS_AXIS_ALIGNMENT_STRETCH = cef_cross_axis_alignment_t.CEF_CROSS_AXIS_ALIGNMENT_STRETCH; alias CEF_CROSS_AXIS_ALIGNMENT_START = cef_cross_axis_alignment_t.CEF_CROSS_AXIS_ALIGNMENT_START; alias CEF_CROSS_AXIS_ALIGNMENT_CENTER = cef_cross_axis_alignment_t.CEF_CROSS_AXIS_ALIGNMENT_CENTER; alias CEF_CROSS_AXIS_ALIGNMENT_END = cef_cross_axis_alignment_t.CEF_CROSS_AXIS_ALIGNMENT_END; /// /// Settings used when initializing a CefBoxLayout. /// struct cef_box_layout_settings_t { /// /// If true (1) the layout will be horizontal, otherwise the layout will be /// vertical. /// int horizontal; /// /// Adds additional horizontal space between the child view area and the host /// view border. /// int inside_border_horizontal_spacing; /// /// Adds additional vertical space between the child view area and the host /// view border. /// int inside_border_vertical_spacing; /// /// Adds additional space around the child view area. /// cef_insets_t inside_border_insets; /// /// Adds additional space between child views. /// int between_child_spacing; /// /// Specifies where along the main axis the child views should be laid out. /// cef_main_axis_alignment_t main_axis_alignment; /// /// Specifies where along the cross axis the child views should be laid out. /// cef_cross_axis_alignment_t cross_axis_alignment; /// /// Minimum cross axis size. /// int minimum_cross_axis_size; /// /// Default flex for views when none is specified via CefBoxLayout methods. /// Using the preferred size as the basis, free space along the main axis is /// distributed to views in the ratio of their flex weights. Similarly, if the /// views will overflow the parent, space is subtracted in these ratios. A /// flex of 0 means this view is not resized. Flex values must not be /// negative. /// int default_flex; } /// /// Specifies the button display state. /// enum cef_button_state_t { CEF_BUTTON_STATE_NORMAL = 0, CEF_BUTTON_STATE_HOVERED = 1, CEF_BUTTON_STATE_PRESSED = 2, CEF_BUTTON_STATE_DISABLED = 3 } alias CEF_BUTTON_STATE_NORMAL = cef_button_state_t.CEF_BUTTON_STATE_NORMAL; alias CEF_BUTTON_STATE_HOVERED = cef_button_state_t.CEF_BUTTON_STATE_HOVERED; alias CEF_BUTTON_STATE_PRESSED = cef_button_state_t.CEF_BUTTON_STATE_PRESSED; alias CEF_BUTTON_STATE_DISABLED = cef_button_state_t.CEF_BUTTON_STATE_DISABLED; /// /// Specifies the horizontal text alignment mode. /// enum cef_horizontal_alignment_t { /// /// Align the text's left edge with that of its display area. /// CEF_HORIZONTAL_ALIGNMENT_LEFT = 0, /// /// Align the text's center with that of its display area. /// CEF_HORIZONTAL_ALIGNMENT_CENTER = 1, /// /// Align the text's right edge with that of its display area. /// CEF_HORIZONTAL_ALIGNMENT_RIGHT = 2 } alias CEF_HORIZONTAL_ALIGNMENT_LEFT = cef_horizontal_alignment_t.CEF_HORIZONTAL_ALIGNMENT_LEFT; alias CEF_HORIZONTAL_ALIGNMENT_CENTER = cef_horizontal_alignment_t.CEF_HORIZONTAL_ALIGNMENT_CENTER; alias CEF_HORIZONTAL_ALIGNMENT_RIGHT = cef_horizontal_alignment_t.CEF_HORIZONTAL_ALIGNMENT_RIGHT; /// /// Specifies how a menu will be anchored for non-RTL languages. The opposite /// position will be used for RTL languages. /// enum cef_menu_anchor_position_t { CEF_MENU_ANCHOR_TOPLEFT = 0, CEF_MENU_ANCHOR_TOPRIGHT = 1, CEF_MENU_ANCHOR_BOTTOMCENTER = 2 } alias CEF_MENU_ANCHOR_TOPLEFT = cef_menu_anchor_position_t.CEF_MENU_ANCHOR_TOPLEFT; alias CEF_MENU_ANCHOR_TOPRIGHT = cef_menu_anchor_position_t.CEF_MENU_ANCHOR_TOPRIGHT; alias CEF_MENU_ANCHOR_BOTTOMCENTER = cef_menu_anchor_position_t.CEF_MENU_ANCHOR_BOTTOMCENTER; /// /// Supported color types for menu items. /// enum cef_menu_color_type_t { CEF_MENU_COLOR_TEXT = 0, CEF_MENU_COLOR_TEXT_HOVERED = 1, CEF_MENU_COLOR_TEXT_ACCELERATOR = 2, CEF_MENU_COLOR_TEXT_ACCELERATOR_HOVERED = 3, CEF_MENU_COLOR_BACKGROUND = 4, CEF_MENU_COLOR_BACKGROUND_HOVERED = 5, CEF_MENU_COLOR_COUNT = 6 } alias CEF_MENU_COLOR_TEXT = cef_menu_color_type_t.CEF_MENU_COLOR_TEXT; alias CEF_MENU_COLOR_TEXT_HOVERED = cef_menu_color_type_t.CEF_MENU_COLOR_TEXT_HOVERED; alias CEF_MENU_COLOR_TEXT_ACCELERATOR = cef_menu_color_type_t.CEF_MENU_COLOR_TEXT_ACCELERATOR; alias CEF_MENU_COLOR_TEXT_ACCELERATOR_HOVERED = cef_menu_color_type_t.CEF_MENU_COLOR_TEXT_ACCELERATOR_HOVERED; alias CEF_MENU_COLOR_BACKGROUND = cef_menu_color_type_t.CEF_MENU_COLOR_BACKGROUND; alias CEF_MENU_COLOR_BACKGROUND_HOVERED = cef_menu_color_type_t.CEF_MENU_COLOR_BACKGROUND_HOVERED; alias CEF_MENU_COLOR_COUNT = cef_menu_color_type_t.CEF_MENU_COLOR_COUNT; /// Supported SSL version values. See net/ssl/ssl_connection_status_flags.h /// for more information. enum cef_ssl_version_t { SSL_CONNECTION_VERSION_UNKNOWN = 0, // Unknown SSL version. SSL_CONNECTION_VERSION_SSL2 = 1, SSL_CONNECTION_VERSION_SSL3 = 2, SSL_CONNECTION_VERSION_TLS1 = 3, SSL_CONNECTION_VERSION_TLS1_1 = 4, SSL_CONNECTION_VERSION_TLS1_2 = 5, SSL_CONNECTION_VERSION_TLS1_3 = 6, SSL_CONNECTION_VERSION_QUIC = 7 } alias SSL_CONNECTION_VERSION_UNKNOWN = cef_ssl_version_t.SSL_CONNECTION_VERSION_UNKNOWN; alias SSL_CONNECTION_VERSION_SSL2 = cef_ssl_version_t.SSL_CONNECTION_VERSION_SSL2; alias SSL_CONNECTION_VERSION_SSL3 = cef_ssl_version_t.SSL_CONNECTION_VERSION_SSL3; alias SSL_CONNECTION_VERSION_TLS1 = cef_ssl_version_t.SSL_CONNECTION_VERSION_TLS1; alias SSL_CONNECTION_VERSION_TLS1_1 = cef_ssl_version_t.SSL_CONNECTION_VERSION_TLS1_1; alias SSL_CONNECTION_VERSION_TLS1_2 = cef_ssl_version_t.SSL_CONNECTION_VERSION_TLS1_2; alias SSL_CONNECTION_VERSION_TLS1_3 = cef_ssl_version_t.SSL_CONNECTION_VERSION_TLS1_3; alias SSL_CONNECTION_VERSION_QUIC = cef_ssl_version_t.SSL_CONNECTION_VERSION_QUIC; /// Supported SSL content status flags. See content/public/common/ssl_status.h /// for more information. enum cef_ssl_content_status_t { SSL_CONTENT_NORMAL_CONTENT = 0, SSL_CONTENT_DISPLAYED_INSECURE_CONTENT = 1 << 0, SSL_CONTENT_RAN_INSECURE_CONTENT = 1 << 1 } alias SSL_CONTENT_NORMAL_CONTENT = cef_ssl_content_status_t.SSL_CONTENT_NORMAL_CONTENT; alias SSL_CONTENT_DISPLAYED_INSECURE_CONTENT = cef_ssl_content_status_t.SSL_CONTENT_DISPLAYED_INSECURE_CONTENT; alias SSL_CONTENT_RAN_INSECURE_CONTENT = cef_ssl_content_status_t.SSL_CONTENT_RAN_INSECURE_CONTENT; // /// Configuration options for registering a custom scheme. /// These values are used when calling AddCustomScheme. // enum cef_scheme_options_t { CEF_SCHEME_OPTION_NONE = 0, /// /// If CEF_SCHEME_OPTION_STANDARD is set the scheme will be treated as a /// standard scheme. Standard schemes are subject to URL canonicalization and /// parsing rules as defined in the Common Internet Scheme Syntax RFC 1738 /// Section 3.1 available at http://www.ietf.org/rfc/rfc1738.txt // /// In particular, the syntax for standard scheme URLs must be of the form: ///
    ///  [scheme]://[username]:[password]@[host]:[port]/[url-path]
    /// 
Standard scheme URLs must have a host component that is a fully /// qualified domain name as defined in Section 3.5 of RFC 1034 [13] and /// Section 2.1 of RFC 1123. These URLs will be canonicalized to /// "scheme://host/path" in the simplest case and /// "scheme://username:password@host:port/path" in the most explicit case. For /// example, "scheme:host/path" and "scheme:///host/path" will both be /// canonicalized to "scheme://host/path". The origin of a standard scheme URL /// is the combination of scheme, host and port (i.e., "scheme://host:port" in /// the most explicit case). // /// For non-standard scheme URLs only the "scheme:" component is parsed and /// canonicalized. The remainder of the URL will be passed to the handler as- /// is. For example, "scheme:///some%20text" will remain the same. /// Non-standard scheme URLs cannot be used as a target for form submission. /// CEF_SCHEME_OPTION_STANDARD = 1 << 0, /// /// If CEF_SCHEME_OPTION_LOCAL is set the scheme will be treated with the same /// security rules as those applied to "file" URLs. Normal pages cannot link /// to or access local URLs. Also, by default, local URLs can only perform /// XMLHttpRequest calls to the same URL (origin + path) that originated the /// request. To allow XMLHttpRequest calls from a local URL to other URLs with /// the same origin set the CefSettings.file_access_from_file_urls_allowed /// value to true (1). To allow XMLHttpRequest calls from a local URL to all /// origins set the CefSettings.universal_access_from_file_urls_allowed value /// to true (1). /// CEF_SCHEME_OPTION_LOCAL = 1 << 1, /// /// If CEF_SCHEME_OPTION_DISPLAY_ISOLATED is set the scheme can only be /// displayed from other content hosted with the same scheme. For example, /// pages in other origins cannot create iframes or hyperlinks to URLs with /// the scheme. For schemes that must be accessible from other schemes don't /// set this, set CEF_SCHEME_OPTION_CORS_ENABLED, and use CORS /// "Access-Control-Allow-Origin" headers to further restrict access. /// CEF_SCHEME_OPTION_DISPLAY_ISOLATED = 1 << 2, /// /// If CEF_SCHEME_OPTION_SECURE is set the scheme will be treated with the /// same security rules as those applied to "https" URLs. For example, loading /// this scheme from other secure schemes will not trigger mixed content /// warnings. /// CEF_SCHEME_OPTION_SECURE = 1 << 3, /// /// If CEF_SCHEME_OPTION_CORS_ENABLED is set the scheme can be sent CORS /// requests. This value should be set in most cases where /// CEF_SCHEME_OPTION_STANDARD is set. /// CEF_SCHEME_OPTION_CORS_ENABLED = 1 << 4, /// /// If CEF_SCHEME_OPTION_CSP_BYPASSING is set the scheme can bypass Content- /// Security-Policy (CSP) checks. This value should not be set in most cases /// where CEF_SCHEME_OPTION_STANDARD is set. /// CEF_SCHEME_OPTION_CSP_BYPASSING = 1 << 5, /// /// If CEF_SCHEME_OPTION_FETCH_ENABLED is set the scheme can perform Fetch API /// requests. /// CEF_SCHEME_OPTION_FETCH_ENABLED = 1 << 6 } alias CEF_SCHEME_OPTION_NONE = cef_scheme_options_t.CEF_SCHEME_OPTION_NONE; alias CEF_SCHEME_OPTION_STANDARD = cef_scheme_options_t.CEF_SCHEME_OPTION_STANDARD; alias CEF_SCHEME_OPTION_LOCAL = cef_scheme_options_t.CEF_SCHEME_OPTION_LOCAL; alias CEF_SCHEME_OPTION_DISPLAY_ISOLATED = cef_scheme_options_t.CEF_SCHEME_OPTION_DISPLAY_ISOLATED; alias CEF_SCHEME_OPTION_SECURE = cef_scheme_options_t.CEF_SCHEME_OPTION_SECURE; alias CEF_SCHEME_OPTION_CORS_ENABLED = cef_scheme_options_t.CEF_SCHEME_OPTION_CORS_ENABLED; alias CEF_SCHEME_OPTION_CSP_BYPASSING = cef_scheme_options_t.CEF_SCHEME_OPTION_CSP_BYPASSING; alias CEF_SCHEME_OPTION_FETCH_ENABLED = cef_scheme_options_t.CEF_SCHEME_OPTION_FETCH_ENABLED; /// /// Structure representing a range. /// struct cef_range_t { uint from; uint to; } /// /// Composition underline style. /// enum cef_composition_underline_style_t { CEF_CUS_SOLID = 0, CEF_CUS_DOT = 1, CEF_CUS_DASH = 2, CEF_CUS_NONE = 3 } alias CEF_CUS_SOLID = cef_composition_underline_style_t.CEF_CUS_SOLID; alias CEF_CUS_DOT = cef_composition_underline_style_t.CEF_CUS_DOT; alias CEF_CUS_DASH = cef_composition_underline_style_t.CEF_CUS_DASH; alias CEF_CUS_NONE = cef_composition_underline_style_t.CEF_CUS_NONE; /// /// Structure representing IME composition underline information. This is a thin /// wrapper around Blink's WebCompositionUnderline class and should be kept in /// sync with that. /// struct cef_composition_underline_t { /// /// Underline character range. /// cef_range_t range; /// /// Text color. /// cef_color_t color; /// /// Background color. /// cef_color_t background_color; /// /// Set to true (1) for thick underline. /// int thick; /// /// Style. /// cef_composition_underline_style_t style; } /// /// Enumerates the various representations of the ordering of audio channels. /// Must be kept synchronized with media::ChannelLayout from Chromium. /// See media\base\channel_layout.h /// enum cef_channel_layout_t { CEF_CHANNEL_LAYOUT_NONE = 0, CEF_CHANNEL_LAYOUT_UNSUPPORTED = 1, /// Front C CEF_CHANNEL_LAYOUT_MONO = 2, /// Front L, Front R CEF_CHANNEL_LAYOUT_STEREO = 3, /// Front L, Front R, Back C CEF_CHANNEL_LAYOUT_2_1 = 4, /// Front L, Front R, Front C CEF_CHANNEL_LAYOUT_SURROUND = 5, /// Front L, Front R, Front C, Back C CEF_CHANNEL_LAYOUT_4_0 = 6, /// Front L, Front R, Side L, Side R CEF_CHANNEL_LAYOUT_2_2 = 7, /// Front L, Front R, Back L, Back R CEF_CHANNEL_LAYOUT_QUAD = 8, /// Front L, Front R, Front C, Side L, Side R CEF_CHANNEL_LAYOUT_5_0 = 9, /// Front L, Front R, Front C, LFE, Side L, Side R CEF_CHANNEL_LAYOUT_5_1 = 10, /// Front L, Front R, Front C, Back L, Back R CEF_CHANNEL_LAYOUT_5_0_BACK = 11, /// Front L, Front R, Front C, LFE, Back L, Back R CEF_CHANNEL_LAYOUT_5_1_BACK = 12, /// Front L, Front R, Front C, Side L, Side R, Back L, Back R CEF_CHANNEL_LAYOUT_7_0 = 13, /// Front L, Front R, Front C, LFE, Side L, Side R, Back L, Back R CEF_CHANNEL_LAYOUT_7_1 = 14, /// Front L, Front R, Front C, LFE, Side L, Side R, Front LofC, Front RofC CEF_CHANNEL_LAYOUT_7_1_WIDE = 15, /// Stereo L, Stereo R CEF_CHANNEL_LAYOUT_STEREO_DOWNMIX = 16, /// Stereo L, Stereo R, LFE CEF_CHANNEL_LAYOUT_2POINT1 = 17, /// Stereo L, Stereo R, Front C, LFE CEF_CHANNEL_LAYOUT_3_1 = 18, /// Stereo L, Stereo R, Front C, Rear C, LFE CEF_CHANNEL_LAYOUT_4_1 = 19, /// Stereo L, Stereo R, Front C, Side L, Side R, Back C CEF_CHANNEL_LAYOUT_6_0 = 20, /// Stereo L, Stereo R, Side L, Side R, Front LofC, Front RofC CEF_CHANNEL_LAYOUT_6_0_FRONT = 21, /// Stereo L, Stereo R, Front C, Rear L, Rear R, Rear C CEF_CHANNEL_LAYOUT_HEXAGONAL = 22, /// Stereo L, Stereo R, Front C, LFE, Side L, Side R, Rear Center CEF_CHANNEL_LAYOUT_6_1 = 23, /// Stereo L, Stereo R, Front C, LFE, Back L, Back R, Rear Center CEF_CHANNEL_LAYOUT_6_1_BACK = 24, /// Stereo L, Stereo R, Side L, Side R, Front LofC, Front RofC, LFE CEF_CHANNEL_LAYOUT_6_1_FRONT = 25, /// Front L, Front R, Front C, Side L, Side R, Front LofC, Front RofC CEF_CHANNEL_LAYOUT_7_0_FRONT = 26, /// Front L, Front R, Front C, LFE, Back L, Back R, Front LofC, Front RofC CEF_CHANNEL_LAYOUT_7_1_WIDE_BACK = 27, /// Front L, Front R, Front C, Side L, Side R, Rear L, Back R, Back C. CEF_CHANNEL_LAYOUT_OCTAGONAL = 28, /// Channels are not explicitly mapped to speakers. CEF_CHANNEL_LAYOUT_DISCRETE = 29, /// Front L, Front R, Front C. Front C contains the keyboard mic audio. This /// layout is only intended for input for WebRTC. The Front C channel /// is stripped away in the WebRTC audio input pipeline and never seen outside /// of that. CEF_CHANNEL_LAYOUT_STEREO_AND_KEYBOARD_MIC = 30, /// Front L, Front R, Side L, Side R, LFE CEF_CHANNEL_LAYOUT_4_1_QUAD_SIDE = 31, /// Actual channel layout is specified in the bitstream and the actual channel /// count is unknown at Chromium media pipeline level (useful for audio /// pass-through mode). CEF_CHANNEL_LAYOUT_BITSTREAM = 32, /// Front L, Front R, Front C, LFE, Side L, Side R, /// Front Height L, Front Height R, Rear Height L, Rear Height R /// Will be represented as six channels (5.1) due to eight channel limit /// kMaxConcurrentChannels CEF_CHANNEL_LAYOUT_5_1_4_DOWNMIX = 33, /// Max value, must always equal the largest entry ever logged. CEF_CHANNEL_LAYOUT_MAX = CEF_CHANNEL_LAYOUT_5_1_4_DOWNMIX } alias CEF_CHANNEL_LAYOUT_NONE = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_NONE; alias CEF_CHANNEL_LAYOUT_UNSUPPORTED = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_UNSUPPORTED; alias CEF_CHANNEL_LAYOUT_MONO = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_MONO; alias CEF_CHANNEL_LAYOUT_STEREO = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_STEREO; alias CEF_CHANNEL_LAYOUT_2_1 = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_2_1; alias CEF_CHANNEL_LAYOUT_SURROUND = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_SURROUND; alias CEF_CHANNEL_LAYOUT_4_0 = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_4_0; alias CEF_CHANNEL_LAYOUT_2_2 = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_2_2; alias CEF_CHANNEL_LAYOUT_QUAD = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_QUAD; alias CEF_CHANNEL_LAYOUT_5_0 = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_5_0; alias CEF_CHANNEL_LAYOUT_5_1 = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_5_1; alias CEF_CHANNEL_LAYOUT_5_0_BACK = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_5_0_BACK; alias CEF_CHANNEL_LAYOUT_5_1_BACK = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_5_1_BACK; alias CEF_CHANNEL_LAYOUT_7_0 = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_7_0; alias CEF_CHANNEL_LAYOUT_7_1 = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_7_1; alias CEF_CHANNEL_LAYOUT_7_1_WIDE = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_7_1_WIDE; alias CEF_CHANNEL_LAYOUT_STEREO_DOWNMIX = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_STEREO_DOWNMIX; alias CEF_CHANNEL_LAYOUT_2POINT1 = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_2POINT1; alias CEF_CHANNEL_LAYOUT_3_1 = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_3_1; alias CEF_CHANNEL_LAYOUT_4_1 = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_4_1; alias CEF_CHANNEL_LAYOUT_6_0 = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_6_0; alias CEF_CHANNEL_LAYOUT_6_0_FRONT = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_6_0_FRONT; alias CEF_CHANNEL_LAYOUT_HEXAGONAL = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_HEXAGONAL; alias CEF_CHANNEL_LAYOUT_6_1 = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_6_1; alias CEF_CHANNEL_LAYOUT_6_1_BACK = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_6_1_BACK; alias CEF_CHANNEL_LAYOUT_6_1_FRONT = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_6_1_FRONT; alias CEF_CHANNEL_LAYOUT_7_0_FRONT = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_7_0_FRONT; alias CEF_CHANNEL_LAYOUT_7_1_WIDE_BACK = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_7_1_WIDE_BACK; alias CEF_CHANNEL_LAYOUT_OCTAGONAL = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_OCTAGONAL; alias CEF_CHANNEL_LAYOUT_DISCRETE = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_DISCRETE; alias CEF_CHANNEL_LAYOUT_STEREO_AND_KEYBOARD_MIC = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_STEREO_AND_KEYBOARD_MIC; alias CEF_CHANNEL_LAYOUT_4_1_QUAD_SIDE = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_4_1_QUAD_SIDE; alias CEF_CHANNEL_LAYOUT_BITSTREAM = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_BITSTREAM; alias CEF_CHANNEL_LAYOUT_5_1_4_DOWNMIX = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_5_1_4_DOWNMIX; alias CEF_CHANNEL_LAYOUT_MAX = cef_channel_layout_t.CEF_CHANNEL_LAYOUT_MAX; /// /// Structure representing the audio parameters for setting up the audio /// handler. /// struct cef_audio_parameters_t { /// /// Layout of the audio channels /// cef_channel_layout_t channel_layout; /// /// Sample rate // int sample_rate; /// /// Number of frames per buffer /// int frames_per_buffer; } /// /// Result codes for CefMediaRouter::CreateRoute. Should be kept in sync with /// Chromium's media_router::mojom::RouteRequestResultCode type. /// enum cef_media_route_create_result_t { CEF_MRCR_UNKNOWN_ERROR = 0, CEF_MRCR_OK = 1, CEF_MRCR_TIMED_OUT = 2, CEF_MRCR_ROUTE_NOT_FOUND = 3, CEF_MRCR_SINK_NOT_FOUND = 4, CEF_MRCR_INVALID_ORIGIN = 5, CEF_MRCR_NO_SUPPORTED_PROVIDER = 7, CEF_MRCR_CANCELLED = 8, CEF_MRCR_ROUTE_ALREADY_EXISTS = 9, CEF_MRCR_ROUTE_ALREADY_TERMINATED = 11 } alias CEF_MRCR_UNKNOWN_ERROR = cef_media_route_create_result_t.CEF_MRCR_UNKNOWN_ERROR; alias CEF_MRCR_OK = cef_media_route_create_result_t.CEF_MRCR_OK; alias CEF_MRCR_TIMED_OUT = cef_media_route_create_result_t.CEF_MRCR_TIMED_OUT; alias CEF_MRCR_ROUTE_NOT_FOUND = cef_media_route_create_result_t.CEF_MRCR_ROUTE_NOT_FOUND; alias CEF_MRCR_SINK_NOT_FOUND = cef_media_route_create_result_t.CEF_MRCR_SINK_NOT_FOUND; alias CEF_MRCR_INVALID_ORIGIN = cef_media_route_create_result_t.CEF_MRCR_INVALID_ORIGIN; alias CEF_MRCR_NO_SUPPORTED_PROVIDER = cef_media_route_create_result_t.CEF_MRCR_NO_SUPPORTED_PROVIDER; alias CEF_MRCR_CANCELLED = cef_media_route_create_result_t.CEF_MRCR_CANCELLED; alias CEF_MRCR_ROUTE_ALREADY_EXISTS = cef_media_route_create_result_t.CEF_MRCR_ROUTE_ALREADY_EXISTS; alias CEF_MRCR_ROUTE_ALREADY_TERMINATED = cef_media_route_create_result_t.CEF_MRCR_ROUTE_ALREADY_TERMINATED; /// /// Connection state for a MediaRoute object. /// enum cef_media_route_connection_state_t { CEF_MRCS_UNKNOWN = 0, CEF_MRCS_CONNECTING = 1, CEF_MRCS_CONNECTED = 2, CEF_MRCS_CLOSED = 3, CEF_MRCS_TERMINATED = 4 } alias CEF_MRCS_UNKNOWN = cef_media_route_connection_state_t.CEF_MRCS_UNKNOWN; alias CEF_MRCS_CONNECTING = cef_media_route_connection_state_t.CEF_MRCS_CONNECTING; alias CEF_MRCS_CONNECTED = cef_media_route_connection_state_t.CEF_MRCS_CONNECTED; alias CEF_MRCS_CLOSED = cef_media_route_connection_state_t.CEF_MRCS_CLOSED; alias CEF_MRCS_TERMINATED = cef_media_route_connection_state_t.CEF_MRCS_TERMINATED; /// /// Icon types for a MediaSink object. Should be kept in sync with Chromium's /// media_router::SinkIconType type. /// enum cef_media_sink_icon_type_t { CEF_MSIT_CAST = 0, CEF_MSIT_CAST_AUDIO_GROUP = 1, CEF_MSIT_CAST_AUDIO = 2, CEF_MSIT_MEETING = 3, CEF_MSIT_HANGOUT = 4, CEF_MSIT_EDUCATION = 5, CEF_MSIT_WIRED_DISPLAY = 6, CEF_MSIT_GENERIC = 7, CEF_MSIT_TOTAL_COUNT = 8 // The total number of values. } alias CEF_MSIT_CAST = cef_media_sink_icon_type_t.CEF_MSIT_CAST; alias CEF_MSIT_CAST_AUDIO_GROUP = cef_media_sink_icon_type_t.CEF_MSIT_CAST_AUDIO_GROUP; alias CEF_MSIT_CAST_AUDIO = cef_media_sink_icon_type_t.CEF_MSIT_CAST_AUDIO; alias CEF_MSIT_MEETING = cef_media_sink_icon_type_t.CEF_MSIT_MEETING; alias CEF_MSIT_HANGOUT = cef_media_sink_icon_type_t.CEF_MSIT_HANGOUT; alias CEF_MSIT_EDUCATION = cef_media_sink_icon_type_t.CEF_MSIT_EDUCATION; alias CEF_MSIT_WIRED_DISPLAY = cef_media_sink_icon_type_t.CEF_MSIT_WIRED_DISPLAY; alias CEF_MSIT_GENERIC = cef_media_sink_icon_type_t.CEF_MSIT_GENERIC; alias CEF_MSIT_TOTAL_COUNT = cef_media_sink_icon_type_t.CEF_MSIT_TOTAL_COUNT; /// /// Device information for a MediaSink object. /// struct cef_media_sink_device_info_t { cef_string_t ip_address; int port; cef_string_t model_name; } /// /// Represents commands available to TextField. /// enum cef_text_field_commands_t { CEF_TFC_CUT = 1, CEF_TFC_COPY = 2, CEF_TFC_PASTE = 3, CEF_TFC_UNDO = 4, CEF_TFC_DELETE = 5, CEF_TFC_SELECT_ALL = 6 } alias CEF_TFC_CUT = cef_text_field_commands_t.CEF_TFC_CUT; alias CEF_TFC_COPY = cef_text_field_commands_t.CEF_TFC_COPY; alias CEF_TFC_PASTE = cef_text_field_commands_t.CEF_TFC_PASTE; alias CEF_TFC_UNDO = cef_text_field_commands_t.CEF_TFC_UNDO; alias CEF_TFC_DELETE = cef_text_field_commands_t.CEF_TFC_DELETE; alias CEF_TFC_SELECT_ALL = cef_text_field_commands_t.CEF_TFC_SELECT_ALL; /// /// Chrome toolbar types. /// enum cef_chrome_toolbar_type_t { CEF_CTT_NONE = 1, CEF_CTT_NORMAL = 2, CEF_CTT_LOCATION = 3 } alias CEF_CTT_NONE = cef_chrome_toolbar_type_t.CEF_CTT_NONE; alias CEF_CTT_NORMAL = cef_chrome_toolbar_type_t.CEF_CTT_NORMAL; alias CEF_CTT_LOCATION = cef_chrome_toolbar_type_t.CEF_CTT_LOCATION; /// /// Chrome page action icon types. Should be kept in sync with Chromium's /// PageActionIconType type. /// enum cef_chrome_page_action_icon_type_t { CEF_CPAIT_BOOKMARK_STAR = 0, CEF_CPAIT_CLICK_TO_CALL = 1, CEF_CPAIT_COOKIE_CONTROLS = 2, CEF_CPAIT_FILE_SYSTEM_ACCESS = 3, CEF_CPAIT_FIND = 4, CEF_CPAIT_HIGH_EFFICIENCY = 5, CEF_CPAIT_INTENT_PICKER = 6, CEF_CPAIT_LOCAL_CARD_MIGRATION = 7, CEF_CPAIT_MANAGE_PASSWORDS = 8, CEF_CPAIT_PAYMENTS_OFFER_NOTIFICATION = 9, CEF_CPAIT_PRICE_TRACKING = 10, CEF_CPAIT_PWA_INSTALL = 11, CEF_CPAIT_QR_CODE_GENERATOR = 12, CEF_CPAIT_READER_MODE = 13, CEF_CPAIT_SAVE_AUTOFILL_ADDRESS = 14, CEF_CPAIT_SAVE_CARD = 15, CEF_CPAIT_SEND_TAB_TO_SELF = 16, CEF_CPAIT_SHARING_HUB = 17, CEF_CPAIT_SIDE_SEARCH = 18, CEF_CPAIT_SMS_REMOTE_FETCHER = 19, CEF_CPAIT_TRANSLATE = 20, CEF_CPAIT_VIRTUAL_CARD_ENROLL = 21, CEF_CPAIT_VIRTUAL_CARD_MANUAL_FALLBACK = 22, CEF_CPAIT_ZOOM = 23, CEF_CPAIT_SAVE_IBAN = 24, CEF_CPAIT_MANDATORY_REAUTH = 25, CEF_CPAIT_PRICE_INSIGHTS = 26, CEF_CPAIT_MAX_VALUE = CEF_CPAIT_PRICE_INSIGHTS } alias CEF_CPAIT_BOOKMARK_STAR = cef_chrome_page_action_icon_type_t.CEF_CPAIT_BOOKMARK_STAR; alias CEF_CPAIT_CLICK_TO_CALL = cef_chrome_page_action_icon_type_t.CEF_CPAIT_CLICK_TO_CALL; alias CEF_CPAIT_COOKIE_CONTROLS = cef_chrome_page_action_icon_type_t.CEF_CPAIT_COOKIE_CONTROLS; alias CEF_CPAIT_FILE_SYSTEM_ACCESS = cef_chrome_page_action_icon_type_t.CEF_CPAIT_FILE_SYSTEM_ACCESS; alias CEF_CPAIT_FIND = cef_chrome_page_action_icon_type_t.CEF_CPAIT_FIND; alias CEF_CPAIT_HIGH_EFFICIENCY = cef_chrome_page_action_icon_type_t.CEF_CPAIT_HIGH_EFFICIENCY; alias CEF_CPAIT_INTENT_PICKER = cef_chrome_page_action_icon_type_t.CEF_CPAIT_INTENT_PICKER; alias CEF_CPAIT_LOCAL_CARD_MIGRATION = cef_chrome_page_action_icon_type_t.CEF_CPAIT_LOCAL_CARD_MIGRATION; alias CEF_CPAIT_MANAGE_PASSWORDS = cef_chrome_page_action_icon_type_t.CEF_CPAIT_MANAGE_PASSWORDS; alias CEF_CPAIT_PAYMENTS_OFFER_NOTIFICATION = cef_chrome_page_action_icon_type_t.CEF_CPAIT_PAYMENTS_OFFER_NOTIFICATION; alias CEF_CPAIT_PRICE_TRACKING = cef_chrome_page_action_icon_type_t.CEF_CPAIT_PRICE_TRACKING; alias CEF_CPAIT_PWA_INSTALL = cef_chrome_page_action_icon_type_t.CEF_CPAIT_PWA_INSTALL; alias CEF_CPAIT_QR_CODE_GENERATOR = cef_chrome_page_action_icon_type_t.CEF_CPAIT_QR_CODE_GENERATOR; alias CEF_CPAIT_READER_MODE = cef_chrome_page_action_icon_type_t.CEF_CPAIT_READER_MODE; alias CEF_CPAIT_SAVE_AUTOFILL_ADDRESS = cef_chrome_page_action_icon_type_t.CEF_CPAIT_SAVE_AUTOFILL_ADDRESS; alias CEF_CPAIT_SAVE_CARD = cef_chrome_page_action_icon_type_t.CEF_CPAIT_SAVE_CARD; alias CEF_CPAIT_SEND_TAB_TO_SELF = cef_chrome_page_action_icon_type_t.CEF_CPAIT_SEND_TAB_TO_SELF; alias CEF_CPAIT_SHARING_HUB = cef_chrome_page_action_icon_type_t.CEF_CPAIT_SHARING_HUB; alias CEF_CPAIT_SIDE_SEARCH = cef_chrome_page_action_icon_type_t.CEF_CPAIT_SIDE_SEARCH; alias CEF_CPAIT_SMS_REMOTE_FETCHER = cef_chrome_page_action_icon_type_t.CEF_CPAIT_SMS_REMOTE_FETCHER; alias CEF_CPAIT_TRANSLATE = cef_chrome_page_action_icon_type_t.CEF_CPAIT_TRANSLATE; alias CEF_CPAIT_VIRTUAL_CARD_ENROLL = cef_chrome_page_action_icon_type_t.CEF_CPAIT_VIRTUAL_CARD_ENROLL; alias CEF_CPAIT_VIRTUAL_CARD_MANUAL_FALLBACK = cef_chrome_page_action_icon_type_t.CEF_CPAIT_VIRTUAL_CARD_MANUAL_FALLBACK; alias CEF_CPAIT_ZOOM = cef_chrome_page_action_icon_type_t.CEF_CPAIT_ZOOM; alias CEF_CPAIT_SAVE_IBAN = cef_chrome_page_action_icon_type_t.CEF_CPAIT_SAVE_IBAN; alias CEF_CPAIT_MANDATORY_REAUTH = cef_chrome_page_action_icon_type_t.CEF_CPAIT_MANDATORY_REAUTH; alias CEF_CPAIT_PRICE_INSIGHTS = cef_chrome_page_action_icon_type_t.CEF_CPAIT_PRICE_INSIGHTS; alias CEF_CPAIT_MAX_VALUE = cef_chrome_page_action_icon_type_t.CEF_CPAIT_MAX_VALUE; /// /// Chrome toolbar button types. Should be kept in sync with CEF's internal /// ToolbarButtonType type. /// enum cef_chrome_toolbar_button_type_t { CEF_CTBT_CAST = 0, CEF_CTBT_DOWNLOAD = 1, CEF_CTBT_SEND_TAB_TO_SELF = 2, CEF_CTBT_SIDE_PANEL = 3, CEF_CTBT_MAX_VALUE = CEF_CTBT_SIDE_PANEL } alias CEF_CTBT_CAST = cef_chrome_toolbar_button_type_t.CEF_CTBT_CAST; alias CEF_CTBT_DOWNLOAD = cef_chrome_toolbar_button_type_t.CEF_CTBT_DOWNLOAD; alias CEF_CTBT_SEND_TAB_TO_SELF = cef_chrome_toolbar_button_type_t.CEF_CTBT_SEND_TAB_TO_SELF; alias CEF_CTBT_SIDE_PANEL = cef_chrome_toolbar_button_type_t.CEF_CTBT_SIDE_PANEL; alias CEF_CTBT_MAX_VALUE = cef_chrome_toolbar_button_type_t.CEF_CTBT_MAX_VALUE; /// /// Docking modes supported by CefWindow::AddOverlay. /// enum cef_docking_mode_t { CEF_DOCKING_MODE_TOP_LEFT = 1, CEF_DOCKING_MODE_TOP_RIGHT = 2, CEF_DOCKING_MODE_BOTTOM_LEFT = 3, CEF_DOCKING_MODE_BOTTOM_RIGHT = 4, CEF_DOCKING_MODE_CUSTOM = 5 } alias CEF_DOCKING_MODE_TOP_LEFT = cef_docking_mode_t.CEF_DOCKING_MODE_TOP_LEFT; alias CEF_DOCKING_MODE_TOP_RIGHT = cef_docking_mode_t.CEF_DOCKING_MODE_TOP_RIGHT; alias CEF_DOCKING_MODE_BOTTOM_LEFT = cef_docking_mode_t.CEF_DOCKING_MODE_BOTTOM_LEFT; alias CEF_DOCKING_MODE_BOTTOM_RIGHT = cef_docking_mode_t.CEF_DOCKING_MODE_BOTTOM_RIGHT; alias CEF_DOCKING_MODE_CUSTOM = cef_docking_mode_t.CEF_DOCKING_MODE_CUSTOM; /// /// Show states supported by CefWindowDelegate::GetInitialShowState. /// enum cef_show_state_t { CEF_SHOW_STATE_NORMAL = 1, CEF_SHOW_STATE_MINIMIZED = 2, CEF_SHOW_STATE_MAXIMIZED = 3, CEF_SHOW_STATE_FULLSCREEN = 4 } alias CEF_SHOW_STATE_NORMAL = cef_show_state_t.CEF_SHOW_STATE_NORMAL; alias CEF_SHOW_STATE_MINIMIZED = cef_show_state_t.CEF_SHOW_STATE_MINIMIZED; alias CEF_SHOW_STATE_MAXIMIZED = cef_show_state_t.CEF_SHOW_STATE_MAXIMIZED; alias CEF_SHOW_STATE_FULLSCREEN = cef_show_state_t.CEF_SHOW_STATE_FULLSCREEN; /// /// Values indicating what state of the touch handle is set. /// enum cef_touch_handle_state_flags_t { CEF_THS_FLAG_NONE = 0, CEF_THS_FLAG_ENABLED = 1 << 0, CEF_THS_FLAG_ORIENTATION = 1 << 1, CEF_THS_FLAG_ORIGIN = 1 << 2, CEF_THS_FLAG_ALPHA = 1 << 3 } alias CEF_THS_FLAG_NONE = cef_touch_handle_state_flags_t.CEF_THS_FLAG_NONE; alias CEF_THS_FLAG_ENABLED = cef_touch_handle_state_flags_t.CEF_THS_FLAG_ENABLED; alias CEF_THS_FLAG_ORIENTATION = cef_touch_handle_state_flags_t.CEF_THS_FLAG_ORIENTATION; alias CEF_THS_FLAG_ORIGIN = cef_touch_handle_state_flags_t.CEF_THS_FLAG_ORIGIN; alias CEF_THS_FLAG_ALPHA = cef_touch_handle_state_flags_t.CEF_THS_FLAG_ALPHA; struct cef_touch_handle_state_t { /// /// Touch handle id. Increments for each new touch handle. /// int touch_handle_id; /// /// Combination of cef_touch_handle_state_flags_t values indicating what state /// is set. /// uint flags; /// /// Enabled state. Only set if |flags| contains CEF_THS_FLAG_ENABLED. /// int enabled; /// /// Orientation state. Only set if |flags| contains CEF_THS_FLAG_ORIENTATION. /// cef_horizontal_alignment_t orientation; int mirror_vertical; int mirror_horizontal; /// /// Origin state. Only set if |flags| contains CEF_THS_FLAG_ORIGIN. /// cef_point_t origin; /// /// Alpha state. Only set if |flags| contains CEF_THS_FLAG_ALPHA. /// float alpha; } /// /// Media access permissions used by OnRequestMediaAccessPermission. /// enum cef_media_access_permission_types_t { /// /// No permission. /// CEF_MEDIA_PERMISSION_NONE = 0, /// /// Device audio capture permission. /// CEF_MEDIA_PERMISSION_DEVICE_AUDIO_CAPTURE = 1 << 0, /// /// Device video capture permission. /// CEF_MEDIA_PERMISSION_DEVICE_VIDEO_CAPTURE = 1 << 1, /// /// Desktop audio capture permission. /// CEF_MEDIA_PERMISSION_DESKTOP_AUDIO_CAPTURE = 1 << 2, /// /// Desktop video capture permission. /// CEF_MEDIA_PERMISSION_DESKTOP_VIDEO_CAPTURE = 1 << 3 } alias CEF_MEDIA_PERMISSION_NONE = cef_media_access_permission_types_t.CEF_MEDIA_PERMISSION_NONE; alias CEF_MEDIA_PERMISSION_DEVICE_AUDIO_CAPTURE = cef_media_access_permission_types_t.CEF_MEDIA_PERMISSION_DEVICE_AUDIO_CAPTURE; alias CEF_MEDIA_PERMISSION_DEVICE_VIDEO_CAPTURE = cef_media_access_permission_types_t.CEF_MEDIA_PERMISSION_DEVICE_VIDEO_CAPTURE; alias CEF_MEDIA_PERMISSION_DESKTOP_AUDIO_CAPTURE = cef_media_access_permission_types_t.CEF_MEDIA_PERMISSION_DESKTOP_AUDIO_CAPTURE; alias CEF_MEDIA_PERMISSION_DESKTOP_VIDEO_CAPTURE = cef_media_access_permission_types_t.CEF_MEDIA_PERMISSION_DESKTOP_VIDEO_CAPTURE; /// /// Permission types used with OnShowPermissionPrompt. Some types are /// platform-specific or only supported with the Chrome runtime. Should be kept /// in sync with Chromium's permissions::RequestType type. /// enum cef_permission_request_types_t { CEF_PERMISSION_TYPE_NONE = 0, CEF_PERMISSION_TYPE_ACCESSIBILITY_EVENTS = 1 << 0, CEF_PERMISSION_TYPE_AR_SESSION = 1 << 1, CEF_PERMISSION_TYPE_CAMERA_PAN_TILT_ZOOM = 1 << 2, CEF_PERMISSION_TYPE_CAMERA_STREAM = 1 << 3, CEF_PERMISSION_TYPE_CLIPBOARD = 1 << 4, CEF_PERMISSION_TYPE_TOP_LEVEL_STORAGE_ACCESS = 1 << 5, CEF_PERMISSION_TYPE_DISK_QUOTA = 1 << 6, CEF_PERMISSION_TYPE_LOCAL_FONTS = 1 << 7, CEF_PERMISSION_TYPE_GEOLOCATION = 1 << 8, CEF_PERMISSION_TYPE_IDLE_DETECTION = 1 << 9, CEF_PERMISSION_TYPE_MIC_STREAM = 1 << 10, CEF_PERMISSION_TYPE_MIDI = 1 << 11, CEF_PERMISSION_TYPE_MIDI_SYSEX = 1 << 12, CEF_PERMISSION_TYPE_MULTIPLE_DOWNLOADS = 1 << 13, CEF_PERMISSION_TYPE_NOTIFICATIONS = 1 << 14, CEF_PERMISSION_TYPE_PROTECTED_MEDIA_IDENTIFIER = 1 << 15, CEF_PERMISSION_TYPE_REGISTER_PROTOCOL_HANDLER = 1 << 16, CEF_PERMISSION_TYPE_STORAGE_ACCESS = 1 << 17, CEF_PERMISSION_TYPE_VR_SESSION = 1 << 18, CEF_PERMISSION_TYPE_WINDOW_MANAGEMENT = 1 << 19 } alias CEF_PERMISSION_TYPE_NONE = cef_permission_request_types_t.CEF_PERMISSION_TYPE_NONE; alias CEF_PERMISSION_TYPE_ACCESSIBILITY_EVENTS = cef_permission_request_types_t.CEF_PERMISSION_TYPE_ACCESSIBILITY_EVENTS; alias CEF_PERMISSION_TYPE_AR_SESSION = cef_permission_request_types_t.CEF_PERMISSION_TYPE_AR_SESSION; alias CEF_PERMISSION_TYPE_CAMERA_PAN_TILT_ZOOM = cef_permission_request_types_t.CEF_PERMISSION_TYPE_CAMERA_PAN_TILT_ZOOM; alias CEF_PERMISSION_TYPE_CAMERA_STREAM = cef_permission_request_types_t.CEF_PERMISSION_TYPE_CAMERA_STREAM; alias CEF_PERMISSION_TYPE_CLIPBOARD = cef_permission_request_types_t.CEF_PERMISSION_TYPE_CLIPBOARD; alias CEF_PERMISSION_TYPE_TOP_LEVEL_STORAGE_ACCESS = cef_permission_request_types_t.CEF_PERMISSION_TYPE_TOP_LEVEL_STORAGE_ACCESS; alias CEF_PERMISSION_TYPE_DISK_QUOTA = cef_permission_request_types_t.CEF_PERMISSION_TYPE_DISK_QUOTA; alias CEF_PERMISSION_TYPE_LOCAL_FONTS = cef_permission_request_types_t.CEF_PERMISSION_TYPE_LOCAL_FONTS; alias CEF_PERMISSION_TYPE_GEOLOCATION = cef_permission_request_types_t.CEF_PERMISSION_TYPE_GEOLOCATION; alias CEF_PERMISSION_TYPE_IDLE_DETECTION = cef_permission_request_types_t.CEF_PERMISSION_TYPE_IDLE_DETECTION; alias CEF_PERMISSION_TYPE_MIC_STREAM = cef_permission_request_types_t.CEF_PERMISSION_TYPE_MIC_STREAM; alias CEF_PERMISSION_TYPE_MIDI = cef_permission_request_types_t.CEF_PERMISSION_TYPE_MIDI; alias CEF_PERMISSION_TYPE_MIDI_SYSEX = cef_permission_request_types_t.CEF_PERMISSION_TYPE_MIDI_SYSEX; alias CEF_PERMISSION_TYPE_MULTIPLE_DOWNLOADS = cef_permission_request_types_t.CEF_PERMISSION_TYPE_MULTIPLE_DOWNLOADS; alias CEF_PERMISSION_TYPE_NOTIFICATIONS = cef_permission_request_types_t.CEF_PERMISSION_TYPE_NOTIFICATIONS; alias CEF_PERMISSION_TYPE_PROTECTED_MEDIA_IDENTIFIER = cef_permission_request_types_t.CEF_PERMISSION_TYPE_PROTECTED_MEDIA_IDENTIFIER; alias CEF_PERMISSION_TYPE_REGISTER_PROTOCOL_HANDLER = cef_permission_request_types_t.CEF_PERMISSION_TYPE_REGISTER_PROTOCOL_HANDLER; alias CEF_PERMISSION_TYPE_STORAGE_ACCESS = cef_permission_request_types_t.CEF_PERMISSION_TYPE_STORAGE_ACCESS; alias CEF_PERMISSION_TYPE_VR_SESSION = cef_permission_request_types_t.CEF_PERMISSION_TYPE_VR_SESSION; alias CEF_PERMISSION_TYPE_WINDOW_MANAGEMENT = cef_permission_request_types_t.CEF_PERMISSION_TYPE_WINDOW_MANAGEMENT; /// /// Permission request results. /// enum cef_permission_request_result_t { /// /// Accept the permission request as an explicit user action. /// CEF_PERMISSION_RESULT_ACCEPT = 0, /// /// Deny the permission request as an explicit user action. /// CEF_PERMISSION_RESULT_DENY = 1, /// /// Dismiss the permission request as an explicit user action. /// CEF_PERMISSION_RESULT_DISMISS = 2, /// /// Ignore the permission request. If the prompt remains unhandled (e.g. /// OnShowPermissionPrompt returns false and there is no default permissions /// UI) then any related promises may remain unresolved. /// CEF_PERMISSION_RESULT_IGNORE = 3 } alias CEF_PERMISSION_RESULT_ACCEPT = cef_permission_request_result_t.CEF_PERMISSION_RESULT_ACCEPT; alias CEF_PERMISSION_RESULT_DENY = cef_permission_request_result_t.CEF_PERMISSION_RESULT_DENY; alias CEF_PERMISSION_RESULT_DISMISS = cef_permission_request_result_t.CEF_PERMISSION_RESULT_DISMISS; alias CEF_PERMISSION_RESULT_IGNORE = cef_permission_request_result_t.CEF_PERMISSION_RESULT_IGNORE; /// /// Certificate types supported by CefTestServer::CreateAndStart. The matching /// certificate file must exist in the "net/data/ssl/certificates" directory. /// See CefSetDataDirectoryForTests() for related configuration. /// enum cef_test_cert_type_t { /// Valid certificate using the IP (127.0.0.1). Loads the "ok_cert.pem" file. CEF_TEST_CERT_OK_IP = 0, /// Valid certificate using the domain ("localhost"). Loads the /// "localhost_cert.pem" file. CEF_TEST_CERT_OK_DOMAIN = 1, /// Expired certificate. Loads the "expired_cert.pem" file. CEF_TEST_CERT_EXPIRED = 2 } alias CEF_TEST_CERT_OK_IP = cef_test_cert_type_t.CEF_TEST_CERT_OK_IP; alias CEF_TEST_CERT_OK_DOMAIN = cef_test_cert_type_t.CEF_TEST_CERT_OK_DOMAIN; alias CEF_TEST_CERT_EXPIRED = cef_test_cert_type_t.CEF_TEST_CERT_EXPIRED; /// /// Preferences type passed to /// CefBrowserProcessHandler::OnRegisterCustomPreferences. /// enum cef_preferences_type_t { /// Global preferences registered a single time at application startup. CEF_PREFERENCES_TYPE_GLOBAL = 0, /// Request context preferences registered each time a new CefRequestContext /// is created. CEF_PREFERENCES_TYPE_REQUEST_CONTEXT = 1 } alias CEF_PREFERENCES_TYPE_GLOBAL = cef_preferences_type_t.CEF_PREFERENCES_TYPE_GLOBAL; alias CEF_PREFERENCES_TYPE_REQUEST_CONTEXT = cef_preferences_type_t.CEF_PREFERENCES_TYPE_REQUEST_CONTEXT; /// /// Download interrupt reasons. Should be kept in sync with /// Chromium's download::DownloadInterruptReason type. /// enum cef_download_interrupt_reason_t { CEF_DOWNLOAD_INTERRUPT_REASON_NONE = 0, /// Generic file operation failure. CEF_DOWNLOAD_INTERRUPT_REASON_FILE_FAILED = 1, /// The file cannot be accessed due to security restrictions. CEF_DOWNLOAD_INTERRUPT_REASON_FILE_ACCESS_DENIED = 2, /// There is not enough room on the drive. CEF_DOWNLOAD_INTERRUPT_REASON_FILE_NO_SPACE = 3, /// The directory or file name is too long. CEF_DOWNLOAD_INTERRUPT_REASON_FILE_NAME_TOO_LONG = 5, /// The file is too large for the file system to handle. CEF_DOWNLOAD_INTERRUPT_REASON_FILE_TOO_LARGE = 6, /// The file contains a virus. CEF_DOWNLOAD_INTERRUPT_REASON_FILE_VIRUS_INFECTED = 7, /// The file was in use. Too many files are opened at once. We have run out of /// memory. CEF_DOWNLOAD_INTERRUPT_REASON_FILE_TRANSIENT_ERROR = 10, /// The file was blocked due to local policy. CEF_DOWNLOAD_INTERRUPT_REASON_FILE_BLOCKED = 11, /// An attempt to check the safety of the download failed due to unexpected /// reasons. See http://crbug.com/153212. CEF_DOWNLOAD_INTERRUPT_REASON_FILE_SECURITY_CHECK_FAILED = 12, /// An attempt was made to seek past the end of a file in opening /// a file (as part of resuming a previously interrupted download). CEF_DOWNLOAD_INTERRUPT_REASON_FILE_TOO_SHORT = 13, /// The partial file didn't match the expected hash. CEF_DOWNLOAD_INTERRUPT_REASON_FILE_HASH_MISMATCH = 14, /// The source and the target of the download were the same. CEF_DOWNLOAD_INTERRUPT_REASON_FILE_SAME_AS_SOURCE = 15, // Network errors. /// Generic network failure. CEF_DOWNLOAD_INTERRUPT_REASON_NETWORK_FAILED = 20, /// The network operation timed out. CEF_DOWNLOAD_INTERRUPT_REASON_NETWORK_TIMEOUT = 21, /// The network connection has been lost. CEF_DOWNLOAD_INTERRUPT_REASON_NETWORK_DISCONNECTED = 22, /// The server has gone down. CEF_DOWNLOAD_INTERRUPT_REASON_NETWORK_SERVER_DOWN = 23, /// The network request was invalid. This may be due to the original URL or a /// redirected URL: /// - Having an unsupported scheme. /// - Being an invalid URL. /// - Being disallowed by policy. CEF_DOWNLOAD_INTERRUPT_REASON_NETWORK_INVALID_REQUEST = 24, // Server responses. /// The server indicates that the operation has failed (generic). CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_FAILED = 30, /// The server does not support range requests. /// Internal use only: must restart from the beginning. CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_NO_RANGE = 31, /// The server does not have the requested data. CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_BAD_CONTENT = 33, /// Server didn't authorize access to resource. CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_UNAUTHORIZED = 34, /// Server certificate problem. CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_CERT_PROBLEM = 35, /// Server access forbidden. CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_FORBIDDEN = 36, /// Unexpected server response. This might indicate that the responding server /// may not be the intended server. CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_UNREACHABLE = 37, /// The server sent fewer bytes than the content-length header. It may /// indicate that the connection was closed prematurely, or the Content-Length /// header was invalid. The download is only interrupted if strong validators /// are present. Otherwise, it is treated as finished. CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_CONTENT_LENGTH_MISMATCH = 38, /// An unexpected cross-origin redirect happened. CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_CROSS_ORIGIN_REDIRECT = 39, // User input. /// The user canceled the download. CEF_DOWNLOAD_INTERRUPT_REASON_USER_CANCELED = 40, /// The user shut down the browser. /// Internal use only: resume pending downloads if possible. CEF_DOWNLOAD_INTERRUPT_REASON_USER_SHUTDOWN = 41, // Crash. /// The browser crashed. /// Internal use only: resume pending downloads if possible. CEF_DOWNLOAD_INTERRUPT_REASON_CRASH = 50 } alias CEF_DOWNLOAD_INTERRUPT_REASON_NONE = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_NONE; alias CEF_DOWNLOAD_INTERRUPT_REASON_FILE_FAILED = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_FILE_FAILED; alias CEF_DOWNLOAD_INTERRUPT_REASON_FILE_ACCESS_DENIED = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_FILE_ACCESS_DENIED; alias CEF_DOWNLOAD_INTERRUPT_REASON_FILE_NO_SPACE = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_FILE_NO_SPACE; alias CEF_DOWNLOAD_INTERRUPT_REASON_FILE_NAME_TOO_LONG = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_FILE_NAME_TOO_LONG; alias CEF_DOWNLOAD_INTERRUPT_REASON_FILE_TOO_LARGE = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_FILE_TOO_LARGE; alias CEF_DOWNLOAD_INTERRUPT_REASON_FILE_VIRUS_INFECTED = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_FILE_VIRUS_INFECTED; alias CEF_DOWNLOAD_INTERRUPT_REASON_FILE_TRANSIENT_ERROR = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_FILE_TRANSIENT_ERROR; alias CEF_DOWNLOAD_INTERRUPT_REASON_FILE_BLOCKED = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_FILE_BLOCKED; alias CEF_DOWNLOAD_INTERRUPT_REASON_FILE_SECURITY_CHECK_FAILED = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_FILE_SECURITY_CHECK_FAILED; alias CEF_DOWNLOAD_INTERRUPT_REASON_FILE_TOO_SHORT = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_FILE_TOO_SHORT; alias CEF_DOWNLOAD_INTERRUPT_REASON_FILE_HASH_MISMATCH = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_FILE_HASH_MISMATCH; alias CEF_DOWNLOAD_INTERRUPT_REASON_FILE_SAME_AS_SOURCE = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_FILE_SAME_AS_SOURCE; alias CEF_DOWNLOAD_INTERRUPT_REASON_NETWORK_FAILED = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_NETWORK_FAILED; alias CEF_DOWNLOAD_INTERRUPT_REASON_NETWORK_TIMEOUT = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_NETWORK_TIMEOUT; alias CEF_DOWNLOAD_INTERRUPT_REASON_NETWORK_DISCONNECTED = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_NETWORK_DISCONNECTED; alias CEF_DOWNLOAD_INTERRUPT_REASON_NETWORK_SERVER_DOWN = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_NETWORK_SERVER_DOWN; alias CEF_DOWNLOAD_INTERRUPT_REASON_NETWORK_INVALID_REQUEST = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_NETWORK_INVALID_REQUEST; alias CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_FAILED = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_FAILED; alias CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_NO_RANGE = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_NO_RANGE; alias CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_BAD_CONTENT = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_BAD_CONTENT; alias CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_UNAUTHORIZED = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_UNAUTHORIZED; alias CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_CERT_PROBLEM = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_CERT_PROBLEM; alias CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_FORBIDDEN = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_FORBIDDEN; alias CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_UNREACHABLE = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_UNREACHABLE; alias CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_CONTENT_LENGTH_MISMATCH = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_CONTENT_LENGTH_MISMATCH; alias CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_CROSS_ORIGIN_REDIRECT = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_SERVER_CROSS_ORIGIN_REDIRECT; alias CEF_DOWNLOAD_INTERRUPT_REASON_USER_CANCELED = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_USER_CANCELED; alias CEF_DOWNLOAD_INTERRUPT_REASON_USER_SHUTDOWN = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_USER_SHUTDOWN; alias CEF_DOWNLOAD_INTERRUPT_REASON_CRASH = cef_download_interrupt_reason_t.CEF_DOWNLOAD_INTERRUPT_REASON_CRASH; /// /// Specifies the gesture commands. /// enum cef_gesture_command_t { CEF_GESTURE_COMMAND_BACK = 0, CEF_GESTURE_COMMAND_FORWARD = 1 } alias CEF_GESTURE_COMMAND_BACK = cef_gesture_command_t.CEF_GESTURE_COMMAND_BACK; alias CEF_GESTURE_COMMAND_FORWARD = cef_gesture_command_t.CEF_GESTURE_COMMAND_FORWARD; /// /// Specifies the zoom commands supported by CefBrowserHost::Zoom. /// enum cef_zoom_command_t { CEF_ZOOM_COMMAND_OUT = 0, CEF_ZOOM_COMMAND_RESET = 1, CEF_ZOOM_COMMAND_IN = 2 } alias CEF_ZOOM_COMMAND_OUT = cef_zoom_command_t.CEF_ZOOM_COMMAND_OUT; alias CEF_ZOOM_COMMAND_RESET = cef_zoom_command_t.CEF_ZOOM_COMMAND_RESET; alias CEF_ZOOM_COMMAND_IN = cef_zoom_command_t.CEF_ZOOM_COMMAND_IN; // CEF_INCLUDE_INTERNAL_CEF_TYPES_H_ // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the CEF translator tool and should not edited // by hand. See the translator.README.txt file in the tools directory for // more information. // // $hash=0ac3c8ca887778a840c65108d56038d4d776e073$ // extern (C): /// /// Implement this structure to receive accessibility notification when /// accessibility events have been registered. The functions of this structure /// will be called on the UI thread. /// struct cef_accessibility_handler_t { /// /// Base structure. /// /// /// Called after renderer process sends accessibility tree changes to the /// browser process. /// /// /// Called after renderer process sends accessibility location changes to the /// browser process. /// // CEF_INCLUDE_CAPI_CEF_ACCESSIBILITY_HANDLER_CAPI_H_ cef_base_ref_counted_t base; extern(System) void function ( cef_accessibility_handler_t* self, cef_value_t* value) nothrow on_accessibility_tree_change; extern(System) void function ( cef_accessibility_handler_t* self, cef_value_t* value) nothrow on_accessibility_location_change; } // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the CEF translator tool and should not edited // by hand. See the translator.README.txt file in the tools directory for // more information. // // $hash=9b523fbf312a8a0cb1c743a3c8aca7bc9cc22bbc$ // extern (C): /// /// Implement this structure to provide handler implementations. Methods will be /// called by the process and/or thread indicated. /// struct cef_app_t { /// /// Base structure. /// /// /// Provides an opportunity to view and/or modify command-line arguments /// before processing by CEF and Chromium. The |process_type| value will be /// NULL for the browser process. Do not keep a reference to the /// cef_command_line_t object passed to this function. The /// cef_settings_t.command_line_args_disabled value can be used to start with /// an NULL command-line object. Any values specified in CefSettings that cef_base_ref_counted_t base; /// equate to command-line arguments will be set before this function is /// called. Be cautious when using this function to modify command-line /// arguments for non-browser processes as this may result in undefined /// behavior including crashes. /// extern(System) void function ( cef_app_t* self, const(cef_string_t)* process_type, cef_command_line_t* command_line) nothrow on_before_command_line_processing; /// /// Provides an opportunity to register custom schemes. Do not keep a /// reference to the |registrar| object. This function is called on the main /// thread for each process and the registered schemes should be the same /// across all processes. /// extern(System) void function ( cef_app_t* self, cef_scheme_registrar_t* registrar) nothrow on_register_custom_schemes; /// /// Return the handler for resource bundle events. If /// cef_settings_t.pack_loading_disabled is true (1) a handler must be /// returned. If no handler is returned resources will be loaded from pack /// files. This function is called by the browser and render processes on /// multiple threads. /// extern(System) cef_resource_bundle_handler_t* function ( cef_app_t* self) nothrow get_resource_bundle_handler; /// /// Return the handler for functionality specific to the browser process. This /// function is called on multiple threads in the browser process. /// extern(System) cef_browser_process_handler_t* function ( cef_app_t* self) nothrow get_browser_process_handler; /// /// Return the handler for functionality specific to the render process. This /// function is called on the render process main thread. /// extern(System) cef_render_process_handler_t* function ( cef_app_t* self) nothrow get_render_process_handler; } /// /// This function should be called from the application entry point function to /// execute a secondary process. It can be used to run secondary processes from /// the browser client executable (default behavior) or from a separate /// executable specified by the cef_settings_t.browser_subprocess_path value. If /// called for the browser process (identified by no "type" command-line value) /// it will return immediately with a value of -1. If called for a recognized /// secondary process it will block until the process should exit and then /// return the process exit code. The |application| parameter may be NULL. The /// |windows_sandbox_info| parameter is only used on Windows and may be NULL /// (see cef_sandbox_win.h for details). /// int cef_execute_process ( const(cef_main_args_t)* args, cef_app_t* application, void* windows_sandbox_info); /// /// This function should be called on the main application thread to initialize /// the CEF browser process. The |application| parameter may be NULL. A return /// value of true (1) indicates that it succeeded and false (0) indicates that /// it failed. The |windows_sandbox_info| parameter is only used on Windows and /// may be NULL (see cef_sandbox_win.h for details). /// int cef_initialize ( const(cef_main_args_t)* args, const(cef_settings_t)* settings, cef_app_t* application, void* windows_sandbox_info); /// /// This function should be called on the main application thread to shut down /// the CEF browser process before the application exits. /// void cef_shutdown (); /// /// Perform a single iteration of CEF message loop processing. This function is /// provided for cases where the CEF message loop must be integrated into an /// existing application message loop. Use of this function is not recommended /// for most users; use either the cef_run_message_loop() function or /// cef_settings_t.multi_threaded_message_loop if possible. When using this /// function care must be taken to balance performance against excessive CPU /// usage. It is recommended to enable the cef_settings_t.external_message_pump /// option when using this function so that /// cef_browser_process_handler_t::on_schedule_message_pump_work() callbacks can /// facilitate the scheduling process. This function should only be called on /// the main application thread and only if cef_initialize() is called with a /// cef_settings_t.multi_threaded_message_loop value of false (0). This function /// will not block. /// void cef_do_message_loop_work (); /// /// Run the CEF message loop. Use this function instead of an application- /// provided message loop to get the best balance between performance and CPU /// usage. This function should only be called on the main application thread /// and only if cef_initialize() is called with a /// cef_settings_t.multi_threaded_message_loop value of false (0). This function /// will block until a quit message is received by the system. /// void cef_run_message_loop (); /// /// Quit the CEF message loop that was started by calling /// cef_run_message_loop(). This function should only be called on the main /// application thread and only if cef_run_message_loop() was used. /// void cef_quit_message_loop (); // CEF_INCLUDE_CAPI_CEF_APP_CAPI_H_ // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the CEF translator tool and should not edited // by hand. See the translator.README.txt file in the tools directory for // more information. // // $hash=932c3ecb22fd26322d96d0e01459122aadafd302$ // extern (C): /// /// Implement this structure to handle audio events. /// struct cef_audio_handler_t { /// /// Base structure. /// /// /// Called on the UI thread to allow configuration of audio stream parameters. /// Return true (1) to proceed with audio stream capture, or false (0) to /// cancel it. All members of |params| can optionally be configured here, but /// they are also pre-filled with some sensible defaults. /// /// /// Called on a browser audio capture thread when the browser starts streaming /// audio. OnAudioStreamStopped will always be called after /// OnAudioStreamStarted; both functions may be called multiple times for the cef_base_ref_counted_t base; extern(System) int function ( cef_audio_handler_t* self, cef_browser_t* browser, cef_audio_parameters_t* params) nothrow get_audio_parameters; /// same browser. |params| contains the audio parameters like sample rate and /// channel layout. |channels| is the number of channels. /// extern(System) void function ( cef_audio_handler_t* self, cef_browser_t* browser, const(cef_audio_parameters_t)* params, int channels) nothrow on_audio_stream_started; /// /// Called on the audio stream thread when a PCM packet is received for the /// stream. |data| is an array representing the raw PCM data as a floating /// point type, i.e. 4-byte value(s). |frames| is the number of frames in the /// PCM packet. |pts| is the presentation timestamp (in milliseconds since the /// Unix Epoch) and represents the time at which the decompressed packet /// should be presented to the user. Based on |frames| and the /// |channel_layout| value passed to OnAudioStreamStarted you can calculate /// the size of the |data| array in bytes. /// extern(System) void function ( cef_audio_handler_t* self, cef_browser_t* browser, const(float*)* data, int frames, long pts) nothrow on_audio_stream_packet; /// /// Called on the UI thread when the stream has stopped. OnAudioSteamStopped /// will always be called after OnAudioStreamStarted; both functions may be /// called multiple times for the same stream. /// extern(System) void function ( cef_audio_handler_t* self, cef_browser_t* browser) nothrow on_audio_stream_stopped; /// /// Called on the UI or audio stream thread when an error occurred. During the /// stream creation phase this callback will be called on the UI thread while /// in the capturing phase it will be called on the audio stream thread. The /// stream will be stopped immediately. /// extern(System) void function ( cef_audio_handler_t* self, cef_browser_t* browser, const(cef_string_t)* message) nothrow on_audio_stream_error; } // CEF_INCLUDE_CAPI_CEF_AUDIO_HANDLER_CAPI_H_ // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the CEF translator tool and should not edited // by hand. See the translator.README.txt file in the tools directory for // more information. // // $hash=4b9c31ef9a23f899c6d8cd3da49934a41f1bd231$ // extern (C): /// /// Callback structure used for asynchronous continuation of authentication /// requests. /// struct cef_auth_callback_t { /// /// Base structure. /// /// /// Continue the authentication request. /// /// /// Cancel the authentication request. /// // CEF_INCLUDE_CAPI_CEF_AUTH_CALLBACK_CAPI_H_ cef_base_ref_counted_t base; extern(System) void function ( cef_auth_callback_t* self, const(cef_string_t)* username, const(cef_string_t)* password) nothrow cont; extern(System) void function (cef_auth_callback_t* self) nothrow cancel; } // Copyright (c) 2014 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. import core.stdc.config; extern (C): /// // All ref-counted framework structures must include this structure first. /// struct cef_base_ref_counted_t { /// // Size of the data structure. /// /// // Called to increment the reference count for the object. Should be called // for every new copy of a pointer to a given object. /// /// // Called to decrement the reference count for the object. If the reference alias size_t = c_ulong; size_t size; extern(System) void function (cef_base_ref_counted_t* self) nothrow add_ref; // count falls to 0 the object should self-delete. Returns true (1) if the // resulting reference count is 0. /// extern(System) int function (cef_base_ref_counted_t* self) nothrow release; /// // Returns true (1) if the current reference count is 1. /// extern(System) int function (cef_base_ref_counted_t* self) nothrow has_one_ref; /// // Returns true (1) if the current reference count is at least 1. /// extern(System) int function (cef_base_ref_counted_t* self) nothrow has_at_least_one_ref; } /// // All scoped framework structures must include this structure first. /// struct cef_base_scoped_t { /// // Size of the data structure. /// size_t size; /// // Called to delete this object. May be NULL if the object is not owned. /// extern(System) void function (cef_base_scoped_t* self) nothrow del; } // Check that the structure |s|, which is defined with a size_t member at the // top, is large enough to contain the specified member |f|. // CEF_INCLUDE_CAPI_CEF_BASE_CAPI_H_ // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the CEF translator tool and should not edited // by hand. See the translator.README.txt file in the tools directory for // more information. // // $hash=13ba2d807f2c1ac3adfc65f2bdb269baecba57ec$ // import core.stdc.config; extern (C): /// /// Structure used to represent a browser. When used in the browser process the /// functions of this structure may be called on any thread unless otherwise /// indicated in the comments. When used in the render process the functions of /// this structure may only be called on the main thread. /// struct cef_browser_t { /// /// Base structure. /// /// /// True if this object is currently valid. This will return false (0) after /// cef_life_span_handler_t::OnBeforeClose is called. cef_base_ref_counted_t base; /// extern(System) int function (cef_browser_t* self) nothrow is_valid; /// /// Returns the browser host object. This function can only be called in the /// browser process. /// extern(System) cef_browser_host_t* function (cef_browser_t* self) nothrow get_host; /// /// Returns true (1) if the browser can navigate backwards. /// extern(System) int function (cef_browser_t* self) nothrow can_go_back; /// /// Navigate backwards. /// extern(System) void function (cef_browser_t* self) nothrow go_back; /// /// Returns true (1) if the browser can navigate forwards. /// extern(System) int function (cef_browser_t* self) nothrow can_go_forward; /// /// Navigate forwards. /// extern(System) void function (cef_browser_t* self) nothrow go_forward; /// /// Returns true (1) if the browser is currently loading. /// extern(System) int function (cef_browser_t* self) nothrow is_loading; /// /// Reload the current page. /// extern(System) void function (cef_browser_t* self) nothrow reload; /// /// Reload the current page ignoring any cached data. /// extern(System) void function (cef_browser_t* self) nothrow reload_ignore_cache; /// /// Stop loading the page. /// extern(System) void function (cef_browser_t* self) nothrow stop_load; /// /// Returns the globally unique identifier for this browser. This value is /// also used as the tabId for extension APIs. /// extern(System) int function (cef_browser_t* self) nothrow get_identifier; /// /// Returns true (1) if this object is pointing to the same handle as |that| /// object. /// extern(System) int function (cef_browser_t* self, cef_browser_t* that) nothrow is_same; /// /// Returns true (1) if the browser is a popup. /// extern(System) int function (cef_browser_t* self) nothrow is_popup; /// /// Returns true (1) if a document has been loaded in the browser. /// extern(System) int function (cef_browser_t* self) nothrow has_document; /// /// Returns the main (top-level) frame for the browser. In the browser process /// this will return a valid object until after /// cef_life_span_handler_t::OnBeforeClose is called. In the renderer process /// this will return NULL if the main frame is hosted in a different renderer /// process (e.g. for cross-origin sub-frames). The main frame object will /// change during cross-origin navigation or re-navigation after renderer /// process termination (due to crashes, etc). /// extern(System) cef_frame_t* function (cef_browser_t* self) nothrow get_main_frame; /// /// Returns the focused frame for the browser. /// extern(System) cef_frame_t* function (cef_browser_t* self) nothrow get_focused_frame; /// /// Returns the frame with the specified identifier, or NULL if not found. /// extern(System) cef_frame_t* function ( cef_browser_t* self, long identifier) nothrow get_frame_byident; /// /// Returns the frame with the specified name, or NULL if not found. /// extern(System) cef_frame_t* function ( cef_browser_t* self, const(cef_string_t)* name) nothrow get_frame; /// /// Returns the number of frames that currently exist. /// extern(System) size_t function (cef_browser_t* self) nothrow get_frame_count; /// /// Returns the identifiers of all existing frames. /// extern(System) void function ( cef_browser_t* self, size_t* identifiersCount, long* identifiers) nothrow get_frame_identifiers; /// /// Returns the names of all existing frames. /// extern(System) void function ( cef_browser_t* self, cef_string_list_t names) nothrow get_frame_names; } /// /// Callback structure for cef_browser_host_t::RunFileDialog. The functions of /// this structure will be called on the browser process UI thread. /// struct cef_run_file_dialog_callback_t { /// /// Base structure. /// cef_base_ref_counted_t base; /// /// Called asynchronously after the file dialog is dismissed. |file_paths| /// will be a single value or a list of values depending on the dialog mode. /// If the selection was cancelled |file_paths| will be NULL. /// extern(System) void function ( cef_run_file_dialog_callback_t* self, cef_string_list_t file_paths) nothrow on_file_dialog_dismissed; } /// /// Callback structure for cef_browser_host_t::GetNavigationEntries. The /// functions of this structure will be called on the browser process UI thread. /// struct cef_navigation_entry_visitor_t { /// /// Base structure. /// cef_base_ref_counted_t base; /// /// Method that will be executed. Do not keep a reference to |entry| outside /// of this callback. Return true (1) to continue visiting entries or false /// (0) to stop. |current| is true (1) if this entry is the currently loaded /// navigation entry. |index| is the 0-based index of this entry and |total| /// is the total number of entries. /// extern(System) int function ( cef_navigation_entry_visitor_t* self, cef_navigation_entry_t* entry, int current, int index, int total) nothrow visit; } /// /// Callback structure for cef_browser_host_t::PrintToPDF. The functions of this /// structure will be called on the browser process UI thread. /// struct cef_pdf_print_callback_t { /// /// Base structure. /// cef_base_ref_counted_t base; /// /// Method that will be executed when the PDF printing has completed. |path| /// is the output path. |ok| will be true (1) if the printing completed /// successfully or false (0) otherwise. /// extern(System) void function ( cef_pdf_print_callback_t* self, const(cef_string_t)* path, int ok) nothrow on_pdf_print_finished; } /// /// Callback structure for cef_browser_host_t::DownloadImage. The functions of /// this structure will be called on the browser process UI thread. /// struct cef_download_image_callback_t { /// /// Base structure. /// cef_base_ref_counted_t base; /// /// Method that will be executed when the image download has completed. /// |image_url| is the URL that was downloaded and |http_status_code| is the /// resulting HTTP status code. |image| is the resulting image, possibly at /// multiple scale factors, or NULL if the download failed. /// extern(System) void function ( cef_download_image_callback_t* self, const(cef_string_t)* image_url, int http_status_code, cef_image_t* image) nothrow on_download_image_finished; } /// /// Structure used to represent the browser process aspects of a browser. The /// functions of this structure can only be called in the browser process. They /// may be called on any thread in that process unless otherwise indicated in /// the comments. /// struct cef_browser_host_t { /// /// Base structure. /// cef_base_ref_counted_t base; /// /// Returns the hosted browser object. /// extern(System) cef_browser_t* function (cef_browser_host_t* self) nothrow get_browser; /// /// Request that the browser close. The JavaScript 'onbeforeunload' event will /// be fired. If |force_close| is false (0) the event handler, if any, will be /// allowed to prompt the user and the user can optionally cancel the close. /// If |force_close| is true (1) the prompt will not be displayed and the /// close will proceed. Results in a call to /// cef_life_span_handler_t::do_close() if the event handler allows the close /// or if |force_close| is true (1). See cef_life_span_handler_t::do_close() /// documentation for additional usage information. /// extern(System) void function (cef_browser_host_t* self, int force_close) nothrow close_browser; /// /// Helper for closing a browser. Call this function from the top-level window /// close handler (if any). Internally this calls CloseBrowser(false (0)) if /// the close has not yet been initiated. This function returns false (0) /// while the close is pending and true (1) after the close has completed. See /// close_browser() and cef_life_span_handler_t::do_close() documentation for /// additional usage information. This function must be called on the browser /// process UI thread. /// extern(System) int function (cef_browser_host_t* self) nothrow try_close_browser; /// /// Set whether the browser is focused. /// extern(System) void function (cef_browser_host_t* self, int focus) nothrow set_focus; /// /// Retrieve the window handle (if any) for this browser. If this browser is /// wrapped in a cef_browser_view_t this function should be called on the /// browser process UI thread and it will return the handle for the top-level /// native window. /// extern(System) c_ulong function (cef_browser_host_t* self) nothrow get_window_handle; /// /// Retrieve the window handle (if any) of the browser that opened this /// browser. Will return NULL for non-popup browsers or if this browser is /// wrapped in a cef_browser_view_t. This function can be used in combination /// with custom handling of modal windows. /// extern(System) c_ulong function (cef_browser_host_t* self) nothrow get_opener_window_handle; /// /// Returns true (1) if this browser is wrapped in a cef_browser_view_t. /// extern(System) int function (cef_browser_host_t* self) nothrow has_view; /// /// Returns the client for this browser. /// extern(System) cef_client_t* function (cef_browser_host_t* self) nothrow get_client; /// /// Returns the request context for this browser. /// extern(System) cef_request_context_t* function ( cef_browser_host_t* self) nothrow get_request_context; /// /// Returns true (1) if this browser can execute the specified zoom command. /// This function can only be called on the UI thread. /// extern(System) int function ( cef_browser_host_t* self, cef_zoom_command_t command) nothrow can_zoom; /// /// Execute a zoom command in this browser. If called on the UI thread the /// change will be applied immediately. Otherwise, the change will be applied /// asynchronously on the UI thread. /// extern(System) void function (cef_browser_host_t* self, cef_zoom_command_t command) nothrow zoom; /// /// Get the default zoom level. This value will be 0.0 by default but can be /// configured with the Chrome runtime. This function can only be called on /// the UI thread. /// extern(System) double function (cef_browser_host_t* self) nothrow get_default_zoom_level; /// /// Get the current zoom level. This function can only be called on the UI /// thread. /// extern(System) double function (cef_browser_host_t* self) nothrow get_zoom_level; /// /// Change the zoom level to the specified value. Specify 0.0 to reset the /// zoom level to the default. If called on the UI thread the change will be /// applied immediately. Otherwise, the change will be applied asynchronously /// on the UI thread. /// extern(System) void function (cef_browser_host_t* self, double zoomLevel) nothrow set_zoom_level; /// /// Call to run a file chooser dialog. Only a single file chooser dialog may /// be pending at any given time. |mode| represents the type of dialog to /// display. |title| to the title to be used for the dialog and may be NULL to /// show the default title ("Open" or "Save" depending on the mode). /// |default_file_path| is the path with optional directory and/or file name /// component that will be initially selected in the dialog. |accept_filters| /// are used to restrict the selectable file types and may any combination of /// (a) valid lower-cased MIME types (e.g. "text/*" or "image/*"), (b) /// individual file extensions (e.g. ".txt" or ".png"), or (c) combined /// description and file extension delimited using "|" and ";" (e.g. "Image /// Types|.png;.gif;.jpg"). |callback| will be executed after the dialog is /// dismissed or immediately if another dialog is already pending. The dialog /// will be initiated asynchronously on the UI thread. /// extern(System) void function ( cef_browser_host_t* self, cef_file_dialog_mode_t mode, const(cef_string_t)* title, const(cef_string_t)* default_file_path, cef_string_list_t accept_filters, cef_run_file_dialog_callback_t* callback) nothrow run_file_dialog; /// /// Download the file at |url| using cef_download_handler_t. /// extern(System) void function ( cef_browser_host_t* self, const(cef_string_t)* url) nothrow start_download; /// /// Download |image_url| and execute |callback| on completion with the images /// received from the renderer. If |is_favicon| is true (1) then cookies are /// not sent and not accepted during download. Images with density independent /// pixel (DIP) sizes larger than |max_image_size| are filtered out from the /// image results. Versions of the image at different scale factors may be /// downloaded up to the maximum scale factor supported by the system. If /// there are no image results <= |max_image_size| then the smallest image is /// resized to |max_image_size| and is the only result. A |max_image_size| of /// 0 means unlimited. If |bypass_cache| is true (1) then |image_url| is /// requested from the server even if it is present in the browser cache. /// extern(System) void function ( cef_browser_host_t* self, const(cef_string_t)* image_url, int is_favicon, uint max_image_size, int bypass_cache, cef_download_image_callback_t* callback) nothrow download_image; /// /// Print the current browser contents. /// extern(System) void function (cef_browser_host_t* self) nothrow print; /// /// Print the current browser contents to the PDF file specified by |path| and /// execute |callback| on completion. The caller is responsible for deleting /// |path| when done. For PDF printing to work on Linux you must implement the /// cef_print_handler_t::GetPdfPaperSize function. /// extern(System) void function ( cef_browser_host_t* self, const(cef_string_t)* path, const(cef_pdf_print_settings_t)* settings, cef_pdf_print_callback_t* callback) nothrow print_to_pdf; /// /// Search for |searchText|. |forward| indicates whether to search forward or /// backward within the page. |matchCase| indicates whether the search should /// be case-sensitive. |findNext| indicates whether this is the first request /// or a follow-up. The search will be restarted if |searchText| or /// |matchCase| change. The search will be stopped if |searchText| is NULL. /// The cef_find_handler_t instance, if any, returned via /// cef_client_t::GetFindHandler will be called to report find results. /// extern(System) void function ( cef_browser_host_t* self, const(cef_string_t)* searchText, int forward, int matchCase, int findNext) nothrow find; /// /// Cancel all searches that are currently going on. /// extern(System) void function (cef_browser_host_t* self, int clearSelection) nothrow stop_finding; /// /// Open developer tools (DevTools) in its own browser. The DevTools browser /// will remain associated with this browser. If the DevTools browser is /// already open then it will be focused, in which case the |windowInfo|, /// |client| and |settings| parameters will be ignored. If /// |inspect_element_at| is non-NULL then the element at the specified (x,y) /// location will be inspected. The |windowInfo| parameter will be ignored if /// this browser is wrapped in a cef_browser_view_t. /// extern(System) void function ( cef_browser_host_t* self, const(cef_window_info_t)* windowInfo, cef_client_t* client, const(cef_browser_settings_t)* settings, const(cef_point_t)* inspect_element_at) nothrow show_dev_tools; /// /// Explicitly close the associated DevTools browser, if any. /// extern(System) void function (cef_browser_host_t* self) nothrow close_dev_tools; /// /// Returns true (1) if this browser currently has an associated DevTools /// browser. Must be called on the browser process UI thread. /// extern(System) int function (cef_browser_host_t* self) nothrow has_dev_tools; /// /// Send a function call message over the DevTools protocol. |message| must be /// a UTF8-encoded JSON dictionary that contains "id" (int), "function" /// (string) and "params" (dictionary, optional) values. See the DevTools /// protocol documentation at https://chromedevtools.github.io/devtools- /// protocol/ for details of supported functions and the expected "params" /// dictionary contents. |message| will be copied if necessary. This function /// will return true (1) if called on the UI thread and the message was /// successfully submitted for validation, otherwise false (0). Validation /// will be applied asynchronously and any messages that fail due to /// formatting errors or missing parameters may be discarded without /// notification. Prefer ExecuteDevToolsMethod if a more structured approach /// to message formatting is desired. /// /// Every valid function call will result in an asynchronous function result /// or error message that references the sent message "id". Event messages are /// received while notifications are enabled (for example, between function /// calls for "Page.enable" and "Page.disable"). All received messages will be /// delivered to the observer(s) registered with AddDevToolsMessageObserver. /// See cef_dev_tools_message_observer_t::OnDevToolsMessage documentation for /// details of received message contents. /// /// Usage of the SendDevToolsMessage, ExecuteDevToolsMethod and /// AddDevToolsMessageObserver functions does not require an active DevTools /// front-end or remote-debugging session. Other active DevTools sessions will /// continue to function independently. However, any modification of global /// browser state by one session may not be reflected in the UI of other /// sessions. /// /// Communication with the DevTools front-end (when displayed) can be logged /// for development purposes by passing the `--devtools-protocol-log- /// file=` command-line flag. /// extern(System) int function ( cef_browser_host_t* self, const(void)* message, size_t message_size) nothrow send_dev_tools_message; /// /// Execute a function call over the DevTools protocol. This is a more /// structured version of SendDevToolsMessage. |message_id| is an incremental /// number that uniquely identifies the message (pass 0 to have the next /// number assigned automatically based on previous values). |function| is the /// function name. |params| are the function parameters, which may be NULL. /// See the DevTools protocol documentation (linked above) for details of /// supported functions and the expected |params| dictionary contents. This /// function will return the assigned message ID if called on the UI thread /// and the message was successfully submitted for validation, otherwise 0. /// See the SendDevToolsMessage documentation for additional usage /// information. /// extern(System) int function ( cef_browser_host_t* self, int message_id, const(cef_string_t)* method, cef_dictionary_value_t* params) nothrow execute_dev_tools_method; /// /// Add an observer for DevTools protocol messages (function results and /// events). The observer will remain registered until the returned /// Registration object is destroyed. See the SendDevToolsMessage /// documentation for additional usage information. /// extern(System) cef_registration_t* function ( cef_browser_host_t* self, cef_dev_tools_message_observer_t* observer) nothrow add_dev_tools_message_observer; /// /// Retrieve a snapshot of current navigation entries as values sent to the /// specified visitor. If |current_only| is true (1) only the current /// navigation entry will be sent, otherwise all navigation entries will be /// sent. /// extern(System) void function ( cef_browser_host_t* self, cef_navigation_entry_visitor_t* visitor, int current_only) nothrow get_navigation_entries; /// /// If a misspelled word is currently selected in an editable node calling /// this function will replace it with the specified |word|. /// extern(System) void function ( cef_browser_host_t* self, const(cef_string_t)* word) nothrow replace_misspelling; /// /// Add the specified |word| to the spelling dictionary. /// extern(System) void function ( cef_browser_host_t* self, const(cef_string_t)* word) nothrow add_word_to_dictionary; /// /// Returns true (1) if window rendering is disabled. /// extern(System) int function (cef_browser_host_t* self) nothrow is_window_rendering_disabled; /// /// Notify the browser that the widget has been resized. The browser will /// first call cef_render_handler_t::GetViewRect to get the new size and then /// call cef_render_handler_t::OnPaint asynchronously with the updated /// regions. This function is only used when window rendering is disabled. /// extern(System) void function (cef_browser_host_t* self) nothrow was_resized; /// /// Notify the browser that it has been hidden or shown. Layouting and /// cef_render_handler_t::OnPaint notification will stop when the browser is /// hidden. This function is only used when window rendering is disabled. /// extern(System) void function (cef_browser_host_t* self, int hidden) nothrow was_hidden; /// /// Send a notification to the browser that the screen info has changed. The /// browser will then call cef_render_handler_t::GetScreenInfo to update the /// screen information with the new values. This simulates moving the webview /// window from one display to another, or changing the properties of the /// current display. This function is only used when window rendering is /// disabled. /// extern(System) void function (cef_browser_host_t* self) nothrow notify_screen_info_changed; /// /// Invalidate the view. The browser will call cef_render_handler_t::OnPaint /// asynchronously. This function is only used when window rendering is /// disabled. /// extern(System) void function ( cef_browser_host_t* self, cef_paint_element_type_t type) nothrow invalidate; /// /// Issue a BeginFrame request to Chromium. Only valid when /// cef_window_tInfo::external_begin_frame_enabled is set to true (1). /// extern(System) void function (cef_browser_host_t* self) nothrow send_external_begin_frame; /// /// Send a key event to the browser. /// extern(System) void function ( cef_browser_host_t* self, const(cef_key_event_t)* event) nothrow send_key_event; /// /// Send a mouse click event to the browser. The |x| and |y| coordinates are /// relative to the upper-left corner of the view. /// extern(System) void function ( cef_browser_host_t* self, const(cef_mouse_event_t)* event, cef_mouse_button_type_t type, int mouseUp, int clickCount) nothrow send_mouse_click_event; /// /// Send a mouse move event to the browser. The |x| and |y| coordinates are /// relative to the upper-left corner of the view. /// extern(System) void function ( cef_browser_host_t* self, const(cef_mouse_event_t)* event, int mouseLeave) nothrow send_mouse_move_event; /// /// Send a mouse wheel event to the browser. The |x| and |y| coordinates are /// relative to the upper-left corner of the view. The |deltaX| and |deltaY| /// values represent the movement delta in the X and Y directions /// respectively. In order to scroll inside select popups with window /// rendering disabled cef_render_handler_t::GetScreenPoint should be /// implemented properly. /// extern(System) void function ( cef_browser_host_t* self, const(cef_mouse_event_t)* event, int deltaX, int deltaY) nothrow send_mouse_wheel_event; /// /// Send a touch event to the browser for a windowless browser. /// extern(System) void function ( cef_browser_host_t* self, const(cef_touch_event_t)* event) nothrow send_touch_event; /// /// Send a capture lost event to the browser. /// extern(System) void function (cef_browser_host_t* self) nothrow send_capture_lost_event; /// /// Notify the browser that the window hosting it is about to be moved or /// resized. This function is only used on Windows and Linux. /// extern(System) void function (cef_browser_host_t* self) nothrow notify_move_or_resize_started; /// /// Returns the maximum rate in frames per second (fps) that /// cef_render_handler_t::OnPaint will be called for a windowless browser. The /// actual fps may be lower if the browser cannot generate frames at the /// requested rate. The minimum value is 1 and the maximum value is 60 /// (default 30). This function can only be called on the UI thread. /// extern(System) int function (cef_browser_host_t* self) nothrow get_windowless_frame_rate; /// /// Set the maximum rate in frames per second (fps) that /// cef_render_handler_t:: OnPaint will be called for a windowless browser. /// The actual fps may be lower if the browser cannot generate frames at the /// requested rate. The minimum value is 1 and the maximum value is 60 /// (default 30). Can also be set at browser creation via /// cef_browser_tSettings.windowless_frame_rate. /// extern(System) void function ( cef_browser_host_t* self, int frame_rate) nothrow set_windowless_frame_rate; /// /// Begins a new composition or updates the existing composition. Blink has a /// special node (a composition node) that allows the input function to change /// text without affecting other DOM nodes. |text| is the optional text that /// will be inserted into the composition node. |underlines| is an optional /// set of ranges that will be underlined in the resulting text. /// |replacement_range| is an optional range of the existing text that will be /// replaced. |selection_range| is an optional range of the resulting text /// that will be selected after insertion or replacement. The /// |replacement_range| value is only used on OS X. /// /// This function may be called multiple times as the composition changes. /// When the client is done making changes the composition should either be /// canceled or completed. To cancel the composition call /// ImeCancelComposition. To complete the composition call either /// ImeCommitText or ImeFinishComposingText. Completion is usually signaled /// when: /// /// 1. The client receives a WM_IME_COMPOSITION message with a GCS_RESULTSTR /// flag (on Windows), or; /// 2. The client receives a "commit" signal of GtkIMContext (on Linux), or; /// 3. insertText of NSTextInput is called (on Mac). /// /// This function is only used when window rendering is disabled. /// extern(System) void function ( cef_browser_host_t* self, const(cef_string_t)* text, size_t underlinesCount, const(cef_composition_underline_t)* underlines, const(cef_range_t)* replacement_range, const(cef_range_t)* selection_range) nothrow ime_set_composition; /// /// Completes the existing composition by optionally inserting the specified /// |text| into the composition node. |replacement_range| is an optional range /// of the existing text that will be replaced. |relative_cursor_pos| is where /// the cursor will be positioned relative to the current cursor position. See /// comments on ImeSetComposition for usage. The |replacement_range| and /// |relative_cursor_pos| values are only used on OS X. This function is only /// used when window rendering is disabled. /// extern(System) void function ( cef_browser_host_t* self, const(cef_string_t)* text, const(cef_range_t)* replacement_range, int relative_cursor_pos) nothrow ime_commit_text; /// /// Completes the existing composition by applying the current composition /// node contents. If |keep_selection| is false (0) the current selection, if /// any, will be discarded. See comments on ImeSetComposition for usage. This /// function is only used when window rendering is disabled. /// extern(System) void function ( cef_browser_host_t* self, int keep_selection) nothrow ime_finish_composing_text; /// /// Cancels the existing composition and discards the composition node /// contents without applying them. See comments on ImeSetComposition for /// usage. This function is only used when window rendering is disabled. /// extern(System) void function (cef_browser_host_t* self) nothrow ime_cancel_composition; /// /// Call this function when the user drags the mouse into the web view (before /// calling DragTargetDragOver/DragTargetLeave/DragTargetDrop). |drag_data| /// should not contain file contents as this type of data is not allowed to be /// dragged into the web view. File contents can be removed using /// cef_drag_data_t::ResetFileContents (for example, if |drag_data| comes from /// cef_render_handler_t::StartDragging). This function is only used when /// window rendering is disabled. /// extern(System) void function ( cef_browser_host_t* self, cef_drag_data_t* drag_data, const(cef_mouse_event_t)* event, cef_drag_operations_mask_t allowed_ops) nothrow drag_target_drag_enter; /// /// Call this function each time the mouse is moved across the web view during /// a drag operation (after calling DragTargetDragEnter and before calling /// DragTargetDragLeave/DragTargetDrop). This function is only used when /// window rendering is disabled. /// extern(System) void function ( cef_browser_host_t* self, const(cef_mouse_event_t)* event, cef_drag_operations_mask_t allowed_ops) nothrow drag_target_drag_over; /// /// Call this function when the user drags the mouse out of the web view /// (after calling DragTargetDragEnter). This function is only used when /// window rendering is disabled. /// extern(System) void function (cef_browser_host_t* self) nothrow drag_target_drag_leave; /// /// Call this function when the user completes the drag operation by dropping /// the object onto the web view (after calling DragTargetDragEnter). The /// object being dropped is |drag_data|, given as an argument to the previous /// DragTargetDragEnter call. This function is only used when window rendering /// is disabled. /// extern(System) void function ( cef_browser_host_t* self, const(cef_mouse_event_t)* event) nothrow drag_target_drop; /// /// Call this function when the drag operation started by a /// cef_render_handler_t::StartDragging call has ended either in a drop or by /// being cancelled. |x| and |y| are mouse coordinates relative to the upper- /// left corner of the view. If the web view is both the drag source and the /// drag target then all DragTarget* functions should be called before /// DragSource* mthods. This function is only used when window rendering is /// disabled. /// extern(System) void function ( cef_browser_host_t* self, int x, int y, cef_drag_operations_mask_t op) nothrow drag_source_ended_at; /// /// Call this function when the drag operation started by a /// cef_render_handler_t::StartDragging call has completed. This function may /// be called immediately without first calling DragSourceEndedAt to cancel a /// drag operation. If the web view is both the drag source and the drag /// target then all DragTarget* functions should be called before DragSource* /// mthods. This function is only used when window rendering is disabled. /// extern(System) void function (cef_browser_host_t* self) nothrow drag_source_system_drag_ended; /// /// Returns the current visible navigation entry for this browser. This /// function can only be called on the UI thread. /// extern(System) cef_navigation_entry_t* function ( cef_browser_host_t* self) nothrow get_visible_navigation_entry; /// /// Set accessibility state for all frames. |accessibility_state| may be /// default, enabled or disabled. If |accessibility_state| is STATE_DEFAULT /// then accessibility will be disabled by default and the state may be /// further controlled with the "force-renderer-accessibility" and "disable- /// renderer-accessibility" command-line switches. If |accessibility_state| is /// STATE_ENABLED then accessibility will be enabled. If |accessibility_state| /// is STATE_DISABLED then accessibility will be completely disabled. /// /// For windowed browsers accessibility will be enabled in Complete mode /// (which corresponds to kAccessibilityModeComplete in Chromium). In this /// mode all platform accessibility objects will be created and managed by /// Chromium's internal implementation. The client needs only to detect the /// screen reader and call this function appropriately. For example, on macOS /// the client can handle the @"AXEnhancedUserStructure" accessibility /// attribute to detect VoiceOver state changes and on Windows the client can /// handle WM_GETOBJECT with OBJID_CLIENT to detect accessibility readers. /// /// For windowless browsers accessibility will be enabled in TreeOnly mode /// (which corresponds to kAccessibilityModeWebContentsOnly in Chromium). In /// this mode renderer accessibility is enabled, the full tree is computed, /// and events are passed to CefAccessibiltyHandler, but platform /// accessibility objects are not created. The client may implement platform /// accessibility objects using CefAccessibiltyHandler callbacks if desired. /// extern(System) void function ( cef_browser_host_t* self, cef_state_t accessibility_state) nothrow set_accessibility_state; /// /// Enable notifications of auto resize via /// cef_display_handler_t::OnAutoResize. Notifications are disabled by /// default. |min_size| and |max_size| define the range of allowed sizes. /// extern(System) void function ( cef_browser_host_t* self, int enabled, const(cef_size_t)* min_size, const(cef_size_t)* max_size) nothrow set_auto_resize_enabled; /// /// Returns the extension hosted in this browser or NULL if no extension is /// hosted. See cef_request_context_t::LoadExtension for details. /// extern(System) cef_extension_t* function (cef_browser_host_t* self) nothrow get_extension; /// /// Returns true (1) if this browser is hosting an extension background /// script. Background hosts do not have a window and are not displayable. See /// cef_request_context_t::LoadExtension for details. /// extern(System) int function (cef_browser_host_t* self) nothrow is_background_host; /// /// Set whether the browser's audio is muted. /// extern(System) void function (cef_browser_host_t* self, int mute) nothrow set_audio_muted; /// /// Returns true (1) if the browser's audio is muted. This function can only /// be called on the UI thread. /// extern(System) int function (cef_browser_host_t* self) nothrow is_audio_muted; /// /// Returns true (1) if the renderer is currently in browser fullscreen. This /// differs from window fullscreen in that browser fullscreen is entered using /// the JavaScript Fullscreen API and modifies CSS attributes such as the /// ::backdrop pseudo-element and :fullscreen pseudo-structure. This function /// can only be called on the UI thread. /// extern(System) int function (cef_browser_host_t* self) nothrow is_fullscreen; /// /// Requests the renderer to exit browser fullscreen. In most cases exiting /// window fullscreen should also exit browser fullscreen. With the Alloy /// runtime this function should be called in response to a user action such /// as clicking the green traffic light button on MacOS /// (cef_window_delegate_t::OnWindowFullscreenTransition callback) or pressing /// the "ESC" key (cef_keyboard_handler_t::OnPreKeyEvent callback). With the /// Chrome runtime these standard exit actions are handled internally but /// new/additional user actions can use this function. Set |will_cause_resize| /// to true (1) if exiting browser fullscreen will cause a view resize. /// extern(System) void function ( cef_browser_host_t* self, int will_cause_resize) nothrow exit_fullscreen; } /// /// Create a new browser using the window parameters specified by |windowInfo|. /// All values will be copied internally and the actual window (if any) will be /// created on the UI thread. If |request_context| is NULL the global request /// context will be used. This function can be called on any browser process /// thread and will not block. The optional |extra_info| parameter provides an /// opportunity to specify extra information specific to the created browser /// that will be passed to cef_render_process_handler_t::on_browser_created() in /// the render process. /// int cef_browser_host_create_browser ( const(cef_window_info_t)* windowInfo, cef_client_t* client, const(cef_string_t)* url, const(cef_browser_settings_t)* settings, cef_dictionary_value_t* extra_info, cef_request_context_t* request_context); /// /// Create a new browser using the window parameters specified by |windowInfo|. /// If |request_context| is NULL the global request context will be used. This /// function can only be called on the browser process UI thread. The optional /// |extra_info| parameter provides an opportunity to specify extra information /// specific to the created browser that will be passed to /// cef_render_process_handler_t::on_browser_created() in the render process. /// cef_browser_t* cef_browser_host_create_browser_sync ( const(cef_window_info_t)* windowInfo, cef_client_t* client, const(cef_string_t)* url, const(cef_browser_settings_t)* settings, cef_dictionary_value_t* extra_info, cef_request_context_t* request_context); // CEF_INCLUDE_CAPI_CEF_BROWSER_CAPI_H_ // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the CEF translator tool and should not edited // by hand. See the translator.README.txt file in the tools directory for // more information. // // $hash=a146316e075450f0a6f37cb45d14e15e0ac7be08$ // extern (C): /// /// Structure used to implement browser process callbacks. The functions of this /// structure will be called on the browser process main thread unless otherwise /// indicated. /// struct cef_browser_process_handler_t { /// /// Base structure. /// /// /// Provides an opportunity to register custom preferences prior to global and /// request context initialization. /// /// If |type| is CEF_PREFERENCES_TYPE_GLOBAL the registered preferences can be /// accessed via cef_preference_manager_t::GetGlobalPreferences after /// OnContextInitialized is called. Global preferences are registered a single /// time at application startup. See related cef_settings_t.cache_path and cef_base_ref_counted_t base; /// cef_settings_t.persist_user_preferences configuration. /// /// If |type| is CEF_PREFERENCES_TYPE_REQUEST_CONTEXT the preferences can be /// accessed via the cef_request_context_t after /// cef_request_context_handler_t::OnRequestContextInitialized is called. /// Request context preferences are registered each time a new /// cef_request_context_t is created. It is intended but not required that all /// request contexts have the same registered preferences. See related /// cef_request_context_settings_t.cache_path and /// cef_request_context_settings_t.persist_user_preferences configuration. /// /// Do not keep a reference to the |registrar| object. This function is called /// on the browser process UI thread. /// extern(System) void function ( cef_browser_process_handler_t* self, cef_preferences_type_t type, cef_preference_registrar_t* registrar) nothrow on_register_custom_preferences; /// /// Called on the browser process UI thread immediately after the CEF context /// has been initialized. /// extern(System) void function ( cef_browser_process_handler_t* self) nothrow on_context_initialized; /// /// Called before a child process is launched. Will be called on the browser /// process UI thread when launching a render process and on the browser /// process IO thread when launching a GPU process. Provides an opportunity to /// modify the child process command line. Do not keep a reference to /// |command_line| outside of this function. /// extern(System) void function ( cef_browser_process_handler_t* self, cef_command_line_t* command_line) nothrow on_before_child_process_launch; /// /// Called from any thread when work has been scheduled for the browser /// process main (UI) thread. This callback is used in combination with /// cef_settings_t.external_message_pump and cef_do_message_loop_work() in /// cases where the CEF message loop must be integrated into an existing /// application message loop (see additional comments and warnings on /// CefDoMessageLoopWork). This callback should schedule a /// cef_do_message_loop_work() call to happen on the main (UI) thread. /// |delay_ms| is the requested delay in milliseconds. If |delay_ms| is <= 0 /// then the call should happen reasonably soon. If |delay_ms| is > 0 then the /// call should be scheduled to happen after the specified delay and any /// currently pending scheduled call should be cancelled. /// extern(System) void function ( cef_browser_process_handler_t* self, long delay_ms) nothrow on_schedule_message_pump_work; /// /// Return the default client for use with a newly created browser window. If /// null is returned the browser will be unmanaged (no callbacks will be /// executed for that browser) and application shutdown will be blocked until /// the browser window is closed manually. This function is currently only /// used with the chrome runtime. /// extern(System) cef_client_t* function ( cef_browser_process_handler_t* self) nothrow get_default_client; } // CEF_INCLUDE_CAPI_CEF_BROWSER_PROCESS_HANDLER_CAPI_H_ // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the CEF translator tool and should not edited // by hand. See the translator.README.txt file in the tools directory for // more information. // // $hash=4fd98ff68ecb42677c3344b75e26d4787161b0d2$ // extern (C): /// /// Generic callback structure used for asynchronous continuation. /// struct cef_callback_t { /// /// Base structure. /// /// /// Continue processing. /// /// /// Cancel processing. /// /// /// Generic callback structure used for asynchronous completion. /// /// /// Base structure. /// /// /// Method that will be called once the task is complete. /// // CEF_INCLUDE_CAPI_CEF_CALLBACK_CAPI_H_ cef_base_ref_counted_t base; extern(System) void function (cef_callback_t* self) nothrow cont; extern(System) void function (cef_callback_t* self) nothrow cancel; } struct cef_completion_callback_t { cef_base_ref_counted_t base; extern(System) void function (cef_completion_callback_t* self) nothrow on_complete; } // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the CEF translator tool and should not edited // by hand. See the translator.README.txt file in the tools directory for // more information. // // $hash=eb9dcb574252483dfab12834af93ba14138d4089$ // extern (C): /// /// Implement this structure to provide handler implementations. /// struct cef_client_t { /// /// Base structure. /// cef_base_ref_counted_t base; /// /// Return the handler for audio rendering events. /// extern(System) cef_audio_handler_t* function (cef_client_t* self) nothrow get_audio_handler; /// /// Return the handler for commands. If no handler is provided the default /// implementation will be used. /// extern(System) cef_command_handler_t* function (cef_client_t* self) nothrow get_command_handler; /// /// Return the handler for context menus. If no handler is provided the /// default implementation will be used. /// extern(System) cef_context_menu_handler_t* function ( cef_client_t* self) nothrow get_context_menu_handler; /// /// Return the handler for dialogs. If no handler is provided the default /// implementation will be used. /// extern(System) cef_dialog_handler_t* function (cef_client_t* self) nothrow get_dialog_handler; /// /// Return the handler for browser display state events. /// extern(System) cef_display_handler_t* function (cef_client_t* self) nothrow get_display_handler; /// /// Return the handler for download events. If no handler is returned /// downloads will not be allowed. /// extern(System) cef_download_handler_t* function ( cef_client_t* self) nothrow get_download_handler; /// /// Return the handler for drag events. /// extern(System) cef_drag_handler_t* function (cef_client_t* self) nothrow get_drag_handler; /// /// Return the handler for find result events. /// extern(System) cef_find_handler_t* function (cef_client_t* self) nothrow get_find_handler; /// /// Return the handler for focus events. /// extern(System) cef_focus_handler_t* function (cef_client_t* self) nothrow get_focus_handler; /// /// Return the handler for events related to cef_frame_t lifespan. This /// function will be called once during cef_browser_t creation and the result /// will be cached for performance reasons. /// extern(System) cef_frame_handler_t* function (cef_client_t* self) nothrow get_frame_handler; /// /// Return the handler for permission requests. /// extern(System) cef_permission_handler_t* function ( cef_client_t* self) nothrow get_permission_handler; /// /// Return the handler for JavaScript dialogs. If no handler is provided the /// default implementation will be used. /// extern(System) cef_jsdialog_handler_t* function ( cef_client_t* self) nothrow get_jsdialog_handler; /// /// Return the handler for keyboard events. /// extern(System) cef_keyboard_handler_t* function ( cef_client_t* self) nothrow get_keyboard_handler; /// /// Return the handler for browser life span events. /// extern(System) cef_life_span_handler_t* function ( cef_client_t* self) nothrow get_life_span_handler; /// /// Return the handler for browser load status events. /// extern(System) cef_load_handler_t* function (cef_client_t* self) nothrow get_load_handler; /// /// Return the handler for printing on Linux. If a print handler is not /// provided then printing will not be supported on the Linux platform. /// extern(System) cef_print_handler_t* function (cef_client_t* self) nothrow get_print_handler; /// /// Return the handler for off-screen rendering events. /// extern(System) cef_render_handler_t* function (cef_client_t* self) nothrow get_render_handler; /// /// Return the handler for browser request events. /// extern(System) cef_request_handler_t* function (cef_client_t* self) nothrow get_request_handler; /// /// Called when a new message is received from a different process. Return /// true (1) if the message was handled or false (0) otherwise. It is safe to /// keep a reference to |message| outside of this callback. /// extern(System) int function ( cef_client_t* self, cef_browser_t* browser, cef_frame_t* frame, cef_process_id_t source_process, cef_process_message_t* message) nothrow on_process_message_received; } // CEF_INCLUDE_CAPI_CEF_CLIENT_CAPI_H_ // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the CEF translator tool and should not edited // by hand. See the translator.README.txt file in the tools directory for // more information. // // $hash=0cbb756a64d2aca1075480b5188b36cae533864d$ // extern (C): /// /// Implement this structure to handle events related to commands. The functions /// of this structure will be called on the UI thread. /// struct cef_command_handler_t { /// /// Base structure. /// /// /// Called to execute a Chrome command triggered via menu selection or /// keyboard shortcut. Values for |command_id| can be found in the /// cef_command_ids.h file. |disposition| provides information about the /// intended command target. Return true (1) if the command was handled or /// false (0) for the default implementation. For context menu commands this /// will be called after cef_context_menu_handler_t::OnContextMenuCommand. /// Only used with the Chrome runtime. /// cef_base_ref_counted_t base; extern(System) int function ( cef_command_handler_t* self, cef_browser_t* browser, int command_id, cef_window_open_disposition_t disposition) nothrow on_chrome_command; /// /// Called to check if a Chrome app menu item should be visible. Values for /// |command_id| can be found in the cef_command_ids.h file. Only called for /// menu items that would be visible by default. Only used with the Chrome /// runtime. /// extern(System) int function ( cef_command_handler_t* self, cef_browser_t* browser, int command_id) nothrow is_chrome_app_menu_item_visible; /// /// Called to check if a Chrome app menu item should be enabled. Values for /// |command_id| can be found in the cef_command_ids.h file. Only called for /// menu items that would be enabled by default. Only used with the Chrome /// runtime. /// extern(System) int function ( cef_command_handler_t* self, cef_browser_t* browser, int command_id) nothrow is_chrome_app_menu_item_enabled; /// /// Called during browser creation to check if a Chrome page action icon /// should be visible. Only called for icons that would be visible by default. /// Only used with the Chrome runtime. /// extern(System) int function ( cef_command_handler_t* self, cef_chrome_page_action_icon_type_t icon_type) nothrow is_chrome_page_action_icon_visible; /// /// Called during browser creation to check if a Chrome toolbar button should /// be visible. Only called for buttons that would be visible by default. Only /// used with the Chrome runtime. /// extern(System) int function ( cef_command_handler_t* self, cef_chrome_toolbar_button_type_t button_type) nothrow is_chrome_toolbar_button_visible; } // CEF_INCLUDE_CAPI_CEF_COMMAND_HANDLER_CAPI_H_ // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the CEF translator tool and should not edited // by hand. See the translator.README.txt file in the tools directory for // more information. // // $hash=ac8fd3a7da20cff1fe2f20a75b045bf27c0312f2$ // extern (C): /// /// Structure used to create and/or parse command line arguments. Arguments with /// "--", "-" and, on Windows, "/" prefixes are considered switches. Switches /// will always precede any arguments without switch prefixes. Switches can /// optionally have a value specified using the "=" delimiter (e.g. /// "-switch=value"). An argument of "--" will terminate switch parsing with all /// subsequent tokens, regardless of prefix, being interpreted as non-switch /// arguments. Switch names should be lowercase ASCII and will be converted to /// such if necessary. Switch values will retain the original case and UTF8 /// encoding. This structure can be used before cef_initialize() is called. /// struct cef_command_line_t { /// /// Base structure. /// /// /// Returns true (1) if this object is valid. Do not call any other functions /// if this function returns false (0). cef_base_ref_counted_t base; /// extern(System) int function (cef_command_line_t* self) nothrow is_valid; /// /// Returns true (1) if the values of this object are read-only. Some APIs may /// expose read-only objects. /// extern(System) int function (cef_command_line_t* self) nothrow is_read_only; /// /// Returns a writable copy of this object. /// extern(System) cef_command_line_t* function (cef_command_line_t* self) nothrow copy; /// /// Initialize the command line with the specified |argc| and |argv| values. /// The first argument must be the name of the program. This function is only /// supported on non-Windows platforms. /// extern(System) void function ( cef_command_line_t* self, int argc, const(char*)* argv) nothrow init_from_argv; /// /// Initialize the command line with the string returned by calling /// GetCommandLineW(). This function is only supported on Windows. /// extern(System) void function ( cef_command_line_t* self, const(cef_string_t)* command_line) nothrow init_from_string; /// /// Reset the command-line switches and arguments but leave the program /// component unchanged. /// extern(System) void function (cef_command_line_t* self) nothrow reset; /// /// Retrieve the original command line string as a vector of strings. The argv /// array: `{ program, [(--|-|/)switch[=value]]*, [--], [argument]* }` /// extern(System) void function (cef_command_line_t* self, cef_string_list_t argv) nothrow get_argv; /// /// Constructs and returns the represented command line string. Use this /// function cautiously because quoting behavior is unclear. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function ( cef_command_line_t* self) nothrow get_command_line_string; /// /// Get the program part of the command line string (the first item). /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function (cef_command_line_t* self) nothrow get_program; /// /// Set the program part of the command line string (the first item). /// extern(System) void function ( cef_command_line_t* self, const(cef_string_t)* program) nothrow set_program; /// /// Returns true (1) if the command line has switches. /// extern(System) int function (cef_command_line_t* self) nothrow has_switches; /// /// Returns true (1) if the command line contains the given switch. /// extern(System) int function ( cef_command_line_t* self, const(cef_string_t)* name) nothrow has_switch; /// /// Returns the value associated with the given switch. If the switch has no /// value or isn't present this function returns the NULL string. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function ( cef_command_line_t* self, const(cef_string_t)* name) nothrow get_switch_value; /// /// Returns the map of switch names and values. If a switch has no value an /// NULL string is returned. /// extern(System) void function ( cef_command_line_t* self, cef_string_map_t switches) nothrow get_switches; /// /// Add a switch to the end of the command line. /// extern(System) void function ( cef_command_line_t* self, const(cef_string_t)* name) nothrow append_switch; /// /// Add a switch with the specified value to the end of the command line. If /// the switch has no value pass an NULL value string. /// extern(System) void function ( cef_command_line_t* self, const(cef_string_t)* name, const(cef_string_t)* value) nothrow append_switch_with_value; /// /// True if there are remaining command line arguments. /// extern(System) int function (cef_command_line_t* self) nothrow has_arguments; /// /// Get the remaining command line arguments. /// extern(System) void function ( cef_command_line_t* self, cef_string_list_t arguments) nothrow get_arguments; /// /// Add an argument to the end of the command line. /// extern(System) void function ( cef_command_line_t* self, const(cef_string_t)* argument) nothrow append_argument; /// /// Insert a command before the current command. Common for debuggers, like /// "valgrind" or "gdb --args". /// extern(System) void function ( cef_command_line_t* self, const(cef_string_t)* wrapper) nothrow prepend_wrapper; } /// /// Create a new cef_command_line_t instance. /// cef_command_line_t* cef_command_line_create (); /// /// Returns the singleton global cef_command_line_t object. The returned object /// will be read-only. /// cef_command_line_t* cef_command_line_get_global (); // CEF_INCLUDE_CAPI_CEF_COMMAND_LINE_CAPI_H_ // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the CEF translator tool and should not edited // by hand. See the translator.README.txt file in the tools directory for // more information. // // $hash=c82f41d81f5afa5ed6995693e012c13d2a609f88$ // extern (C): /// /// Callback structure used for continuation of custom context menu display. /// struct cef_run_context_menu_callback_t { /// /// Base structure. /// /// /// Complete context menu display by selecting the specified |command_id| and /// |event_flags|. /// /// /// Cancel context menu display. /// /// /// Callback structure used for continuation of custom quick menu display. cef_base_ref_counted_t base; extern(System) void function ( cef_run_context_menu_callback_t* self, int command_id, cef_event_flags_t event_flags) nothrow cont; extern(System) void function (cef_run_context_menu_callback_t* self) nothrow cancel; } /// struct cef_run_quick_menu_callback_t { /// /// Base structure. /// cef_base_ref_counted_t base; /// /// Complete quick menu display by selecting the specified |command_id| and /// |event_flags|. /// extern(System) void function ( cef_run_quick_menu_callback_t* self, int command_id, cef_event_flags_t event_flags) nothrow cont; /// /// Cancel quick menu display. /// extern(System) void function (cef_run_quick_menu_callback_t* self) nothrow cancel; } /// /// Implement this structure to handle context menu events. The functions of /// this structure will be called on the UI thread. /// struct cef_context_menu_handler_t { /// /// Base structure. /// cef_base_ref_counted_t base; /// /// Called before a context menu is displayed. |params| provides information /// about the context menu state. |model| initially contains the default /// context menu. The |model| can be cleared to show no context menu or /// modified to show a custom menu. Do not keep references to |params| or /// |model| outside of this callback. /// extern(System) void function ( cef_context_menu_handler_t* self, cef_browser_t* browser, cef_frame_t* frame, cef_context_menu_params_t* params, cef_menu_model_t* model) nothrow on_before_context_menu; /// /// Called to allow custom display of the context menu. |params| provides /// information about the context menu state. |model| contains the context /// menu model resulting from OnBeforeContextMenu. For custom display return /// true (1) and execute |callback| either synchronously or asynchronously /// with the selected command ID. For default display return false (0). Do not /// keep references to |params| or |model| outside of this callback. /// extern(System) int function ( cef_context_menu_handler_t* self, cef_browser_t* browser, cef_frame_t* frame, cef_context_menu_params_t* params, cef_menu_model_t* model, cef_run_context_menu_callback_t* callback) nothrow run_context_menu; /// /// Called to execute a command selected from the context menu. Return true /// (1) if the command was handled or false (0) for the default /// implementation. See cef_menu_id_t for the command ids that have default /// implementations. All user-defined command ids should be between /// MENU_ID_USER_FIRST and MENU_ID_USER_LAST. |params| will have the same /// values as what was passed to on_before_context_menu(). Do not keep a /// reference to |params| outside of this callback. /// extern(System) int function ( cef_context_menu_handler_t* self, cef_browser_t* browser, cef_frame_t* frame, cef_context_menu_params_t* params, int command_id, cef_event_flags_t event_flags) nothrow on_context_menu_command; /// /// Called when the context menu is dismissed irregardless of whether the menu /// was canceled or a command was selected. /// extern(System) void function ( cef_context_menu_handler_t* self, cef_browser_t* browser, cef_frame_t* frame) nothrow on_context_menu_dismissed; /// /// Called to allow custom display of the quick menu for a windowless browser. /// |location| is the top left corner of the selected region. |size| is the /// size of the selected region. |edit_state_flags| is a combination of flags /// that represent the state of the quick menu. Return true (1) if the menu /// will be handled and execute |callback| either synchronously or /// asynchronously with the selected command ID. Return false (0) to cancel /// the menu. /// extern(System) int function ( cef_context_menu_handler_t* self, cef_browser_t* browser, cef_frame_t* frame, const(cef_point_t)* location, const(cef_size_t)* size, cef_quick_menu_edit_state_flags_t edit_state_flags, cef_run_quick_menu_callback_t* callback) nothrow run_quick_menu; /// /// Called to execute a command selected from the quick menu for a windowless /// browser. Return true (1) if the command was handled or false (0) for the /// default implementation. See cef_menu_id_t for command IDs that have /// default implementations. /// extern(System) int function ( cef_context_menu_handler_t* self, cef_browser_t* browser, cef_frame_t* frame, int command_id, cef_event_flags_t event_flags) nothrow on_quick_menu_command; /// /// Called when the quick menu for a windowless browser is dismissed /// irregardless of whether the menu was canceled or a command was selected. /// extern(System) void function ( cef_context_menu_handler_t* self, cef_browser_t* browser, cef_frame_t* frame) nothrow on_quick_menu_dismissed; } /// /// Provides information about the context menu state. The functions of this /// structure can only be accessed on browser process the UI thread. /// struct cef_context_menu_params_t { /// /// Base structure. /// cef_base_ref_counted_t base; /// /// Returns the X coordinate of the mouse where the context menu was invoked. /// Coords are relative to the associated RenderView's origin. /// extern(System) int function (cef_context_menu_params_t* self) nothrow get_xcoord; /// /// Returns the Y coordinate of the mouse where the context menu was invoked. /// Coords are relative to the associated RenderView's origin. /// extern(System) int function (cef_context_menu_params_t* self) nothrow get_ycoord; /// /// Returns flags representing the type of node that the context menu was /// invoked on. /// extern(System) cef_context_menu_type_flags_t function ( cef_context_menu_params_t* self) nothrow get_type_flags; /// /// Returns the URL of the link, if any, that encloses the node that the /// context menu was invoked on. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function ( cef_context_menu_params_t* self) nothrow get_link_url; /// /// Returns the link URL, if any, to be used ONLY for "copy link address". We /// don't validate this field in the frontend process. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function ( cef_context_menu_params_t* self) nothrow get_unfiltered_link_url; /// /// Returns the source URL, if any, for the element that the context menu was /// invoked on. Example of elements with source URLs are img, audio, and /// video. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function ( cef_context_menu_params_t* self) nothrow get_source_url; /// /// Returns true (1) if the context menu was invoked on an image which has /// non-NULL contents. /// extern(System) int function (cef_context_menu_params_t* self) nothrow has_image_contents; /// /// Returns the title text or the alt text if the context menu was invoked on /// an image. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function ( cef_context_menu_params_t* self) nothrow get_title_text; /// /// Returns the URL of the top level page that the context menu was invoked /// on. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function ( cef_context_menu_params_t* self) nothrow get_page_url; /// /// Returns the URL of the subframe that the context menu was invoked on. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function ( cef_context_menu_params_t* self) nothrow get_frame_url; /// /// Returns the character encoding of the subframe that the context menu was /// invoked on. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function ( cef_context_menu_params_t* self) nothrow get_frame_charset; /// /// Returns the type of context node that the context menu was invoked on. /// extern(System) cef_context_menu_media_type_t function ( cef_context_menu_params_t* self) nothrow get_media_type; /// /// Returns flags representing the actions supported by the media element, if /// any, that the context menu was invoked on. /// extern(System) cef_context_menu_media_state_flags_t function ( cef_context_menu_params_t* self) nothrow get_media_state_flags; /// /// Returns the text of the selection, if any, that the context menu was /// invoked on. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function ( cef_context_menu_params_t* self) nothrow get_selection_text; /// /// Returns the text of the misspelled word, if any, that the context menu was /// invoked on. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function ( cef_context_menu_params_t* self) nothrow get_misspelled_word; /// /// Returns true (1) if suggestions exist, false (0) otherwise. Fills in /// |suggestions| from the spell check service for the misspelled word if /// there is one. /// extern(System) int function ( cef_context_menu_params_t* self, cef_string_list_t suggestions) nothrow get_dictionary_suggestions; /// /// Returns true (1) if the context menu was invoked on an editable node. /// extern(System) int function (cef_context_menu_params_t* self) nothrow is_editable; /// /// Returns true (1) if the context menu was invoked on an editable node where /// spell-check is enabled. /// extern(System) int function (cef_context_menu_params_t* self) nothrow is_spell_check_enabled; /// /// Returns flags representing the actions supported by the editable node, if /// any, that the context menu was invoked on. /// extern(System) cef_context_menu_edit_state_flags_t function ( cef_context_menu_params_t* self) nothrow get_edit_state_flags; /// /// Returns true (1) if the context menu contains items specified by the /// renderer process. /// extern(System) int function (cef_context_menu_params_t* self) nothrow is_custom_menu; } // CEF_INCLUDE_CAPI_CEF_CONTEXT_MENU_HANDLER_CAPI_H_ // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the CEF translator tool and should not edited // by hand. See the translator.README.txt file in the tools directory for // more information. // // $hash=598c6f530b2e2553197d8c6a72ad9e2bf72b5443$ // extern (C): /// /// Structure used for managing cookies. The functions of this structure may be /// called on any thread unless otherwise indicated. /// struct cef_cookie_manager_t { /// /// Base structure. /// /// /// Visit all cookies on the UI thread. The returned cookies are ordered by /// longest path, then by earliest creation date. Returns false (0) if cookies /// cannot be accessed. /// /// /// Visit a subset of cookies on the UI thread. The results are filtered by /// the given url scheme, host, domain and path. If |includeHttpOnly| is true /// (1) HTTP-only cookies will also be included in the results. The returned cef_base_ref_counted_t base; extern(System) int function ( cef_cookie_manager_t* self, cef_cookie_visitor_t* visitor) nothrow visit_all_cookies; /// cookies are ordered by longest path, then by earliest creation date. /// Returns false (0) if cookies cannot be accessed. /// extern(System) int function ( cef_cookie_manager_t* self, const(cef_string_t)* url, int includeHttpOnly, cef_cookie_visitor_t* visitor) nothrow visit_url_cookies; /// /// Sets a cookie given a valid URL and explicit user-provided cookie /// attributes. This function expects each attribute to be well-formed. It /// will check for disallowed characters (e.g. the ';' character is disallowed /// within the cookie value attribute) and fail without setting the cookie if /// such characters are found. If |callback| is non-NULL it will be executed /// asnychronously on the UI thread after the cookie has been set. Returns /// false (0) if an invalid URL is specified or if cookies cannot be accessed. /// extern(System) int function ( cef_cookie_manager_t* self, const(cef_string_t)* url, const(cef_cookie_t)* cookie, cef_set_cookie_callback_t* callback) nothrow set_cookie; /// /// Delete all cookies that match the specified parameters. If both |url| and /// |cookie_name| values are specified all host and domain cookies matching /// both will be deleted. If only |url| is specified all host cookies (but not /// domain cookies) irrespective of path will be deleted. If |url| is NULL all /// cookies for all hosts and domains will be deleted. If |callback| is non- /// NULL it will be executed asnychronously on the UI thread after the cookies /// have been deleted. Returns false (0) if a non-NULL invalid URL is /// specified or if cookies cannot be accessed. Cookies can alternately be /// deleted using the Visit*Cookies() functions. /// extern(System) int function ( cef_cookie_manager_t* self, const(cef_string_t)* url, const(cef_string_t)* cookie_name, cef_delete_cookies_callback_t* callback) nothrow delete_cookies; /// /// Flush the backing store (if any) to disk. If |callback| is non-NULL it /// will be executed asnychronously on the UI thread after the flush is /// complete. Returns false (0) if cookies cannot be accessed. /// extern(System) int function ( cef_cookie_manager_t* self, cef_completion_callback_t* callback) nothrow flush_store; } /// /// Returns the global cookie manager. By default data will be stored at /// cef_settings_t.cache_path if specified or in memory otherwise. If |callback| /// is non-NULL it will be executed asnychronously on the UI thread after the /// manager's storage has been initialized. Using this function is equivalent to /// calling cef_request_context_t::cef_request_context_get_global_context()->Get /// DefaultCookieManager(). /// cef_cookie_manager_t* cef_cookie_manager_get_global_manager ( cef_completion_callback_t* callback); /// /// Structure to implement for visiting cookie values. The functions of this /// structure will always be called on the UI thread. /// struct cef_cookie_visitor_t { /// /// Base structure. /// cef_base_ref_counted_t base; /// /// Method that will be called once for each cookie. |count| is the 0-based /// index for the current cookie. |total| is the total number of cookies. Set /// |deleteCookie| to true (1) to delete the cookie currently being visited. /// Return false (0) to stop visiting cookies. This function may never be /// called if no cookies are found. /// extern(System) int function ( cef_cookie_visitor_t* self, const(cef_cookie_t)* cookie, int count, int total, int* deleteCookie) nothrow visit; } /// /// Structure to implement to be notified of asynchronous completion via /// cef_cookie_manager_t::set_cookie(). /// struct cef_set_cookie_callback_t { /// /// Base structure. /// cef_base_ref_counted_t base; /// /// Method that will be called upon completion. |success| will be true (1) if /// the cookie was set successfully. /// extern(System) void function (cef_set_cookie_callback_t* self, int success) nothrow on_complete; } /// /// Structure to implement to be notified of asynchronous completion via /// cef_cookie_manager_t::delete_cookies(). /// struct cef_delete_cookies_callback_t { /// /// Base structure. /// cef_base_ref_counted_t base; /// /// Method that will be called upon completion. |num_deleted| will be the /// number of cookies that were deleted. /// extern(System) void function ( cef_delete_cookies_callback_t* self, int num_deleted) nothrow on_complete; } // CEF_INCLUDE_CAPI_CEF_COOKIE_CAPI_H_ // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the CEF translator tool and should not edited // by hand. See the translator.README.txt file in the tools directory for // more information. // // $hash=22cfd717df9032a01214d9abfe3e0e51949b3319$ // extern (C): /// /// Crash reporting is configured using an INI-style config file named /// "crash_reporter.cfg". On Windows and Linux this file must be placed next to /// the main application executable. On macOS this file must be placed in the /// top-level app bundle Resources directory (e.g. /// ".app/Contents/Resources"). File contents are as follows: /// ///
///  # Comments start with a hash character and must be on their own line.
///
///  [Config]
///  ProductName=
///  ProductVersion=
///  AppName=
///  ExternalHandler=
///  BrowserCrashForwardingEnabled=
///  ServerURL=
///  RateLimitEnabled=
///  MaxUploadsPerDay=
///  MaxDatabaseSizeInMb=
///  MaxDatabaseAgeInDays=
///
///  [CrashKeys]
///  my_key1=
///  my_key2=
/// 
/// /// Config section: /// /// If "ProductName" and/or "ProductVersion" are set then the specified values /// will be included in the crash dump metadata. On macOS if these values are /// set to NULL then they will be retrieved from the Info.plist file using the /// "CFBundleName" and "CFBundleShortVersionString" keys respectively. /// /// If "AppName" is set on Windows then crash report information (metrics, /// database and dumps) will be stored locally on disk under the /// "C:\Users\[CurrentUser]\AppData\Local\[AppName]\User Data" folder. On other /// platforms the cef_settings_t.root_cache_path value will be used. /// /// If "ExternalHandler" is set on Windows then the specified exe will be /// launched as the crashpad-handler instead of re-launching the main process /// exe. The value can be an absolute path or a path relative to the main exe /// directory. On Linux the cef_settings_t.browser_subprocess_path value will be /// used. On macOS the existing subprocess app bundle will be used. /// /// If "BrowserCrashForwardingEnabled" is set to true (1) on macOS then browser /// process crashes will be forwarded to the system crash reporter. This results /// in the crash UI dialog being displayed to the user and crash reports being /// logged under "~/Library/Logs/DiagnosticReports". Forwarding of crash reports /// from non-browser processes and Debug builds is always disabled. /// /// If "ServerURL" is set then crashes will be uploaded as a multi-part POST /// request to the specified URL. Otherwise, reports will only be stored locally /// on disk. /// /// If "RateLimitEnabled" is set to true (1) then crash report uploads will be /// rate limited as follows: /// 1. If "MaxUploadsPerDay" is set to a positive value then at most the /// specified number of crashes will be uploaded in each 24 hour period. /// 2. If crash upload fails due to a network or server error then an /// incremental backoff delay up to a maximum of 24 hours will be applied /// for retries. /// 3. If a backoff delay is applied and "MaxUploadsPerDay" is > 1 then the /// "MaxUploadsPerDay" value will be reduced to 1 until the client is /// restarted. This helps to avoid an upload flood when the network or /// server error is resolved. /// Rate limiting is not supported on Linux. /// /// If "MaxDatabaseSizeInMb" is set to a positive value then crash report /// storage on disk will be limited to that size in megabytes. For example, on /// Windows each dump is about 600KB so a "MaxDatabaseSizeInMb" value of 20 /// equates to about 34 crash reports stored on disk. Not supported on Linux. /// /// If "MaxDatabaseAgeInDays" is set to a positive value then crash reports /// older than the specified age in days will be deleted. Not supported on /// Linux. /// /// CrashKeys section: /// /// A maximum of 26 crash keys of each size can be specified for use by the /// application. Crash key values will be truncated based on the specified size /// (small = 64 bytes, medium = 256 bytes, large = 1024 bytes). The value of /// crash keys can be set from any thread or process using the /// CefSetCrashKeyValue function. These key/value pairs will be sent to the /// crash server along with the crash dump file. /// int cef_crash_reporting_enabled (); /// /// Sets or clears a specific key-value pair from the crash metadata. /// void cef_set_crash_key_value ( const(cef_string_t)* key, const(cef_string_t)* value); // CEF_INCLUDE_CAPI_CEF_CRASH_UTIL_CAPI_H_ // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the CEF translator tool and should not edited // by hand. See the translator.README.txt file in the tools directory for // more information. // // $hash=777485120b9a9df0f890579ee698d33f273819c5$ // extern (C): /// /// Callback structure for cef_browser_host_t::AddDevToolsMessageObserver. The /// functions of this structure will be called on the browser process UI thread. /// struct cef_dev_tools_message_observer_t { /// /// Base structure. /// /// /// Method that will be called on receipt of a DevTools protocol message. /// |browser| is the originating browser instance. |message| is a UTF8-encoded /// JSON dictionary representing either a function result or an event. /// |message| is only valid for the scope of this callback and should be /// copied if necessary. Return true (1) if the message was handled or false /// (0) if the message should be further processed and passed to the /// OnDevToolsMethodResult or OnDevToolsEvent functions as appropriate. /// /// Method result dictionaries include an "id" (int) value that identifies the cef_base_ref_counted_t base; /// orginating function call sent from /// cef_browser_host_t::SendDevToolsMessage, and optionally either a "result" /// (dictionary) or "error" (dictionary) value. The "error" dictionary will /// contain "code" (int) and "message" (string) values. Event dictionaries /// include a "function" (string) value and optionally a "params" (dictionary) /// value. See the DevTools protocol documentation at /// https://chromedevtools.github.io/devtools-protocol/ for details of /// supported function calls and the expected "result" or "params" dictionary /// contents. JSON dictionaries can be parsed using the CefParseJSON function /// if desired, however be aware of performance considerations when parsing /// large messages (some of which may exceed 1MB in size). /// extern(System) int function ( cef_dev_tools_message_observer_t* self, cef_browser_t* browser, const(void)* message, size_t message_size) nothrow on_dev_tools_message; /// /// Method that will be called after attempted execution of a DevTools /// protocol function. |browser| is the originating browser instance. /// |message_id| is the "id" value that identifies the originating function /// call message. If the function succeeded |success| will be true (1) and /// |result| will be the UTF8-encoded JSON "result" dictionary value (which /// may be NULL). If the function failed |success| will be false (0) and /// |result| will be the UTF8-encoded JSON "error" dictionary value. |result| /// is only valid for the scope of this callback and should be copied if /// necessary. See the OnDevToolsMessage documentation for additional details /// on |result| contents. /// extern(System) void function ( cef_dev_tools_message_observer_t* self, cef_browser_t* browser, int message_id, int success, const(void)* result, size_t result_size) nothrow on_dev_tools_method_result; /// /// Method that will be called on receipt of a DevTools protocol event. /// |browser| is the originating browser instance. |function| is the /// "function" value. |params| is the UTF8-encoded JSON "params" dictionary /// value (which may be NULL). |params| is only valid for the scope of this /// callback and should be copied if necessary. See the OnDevToolsMessage /// documentation for additional details on |params| contents. /// extern(System) void function ( cef_dev_tools_message_observer_t* self, cef_browser_t* browser, const(cef_string_t)* method, const(void)* params, size_t params_size) nothrow on_dev_tools_event; /// /// Method that will be called when the DevTools agent has attached. |browser| /// is the originating browser instance. This will generally occur in response /// to the first message sent while the agent is detached. /// extern(System) void function ( cef_dev_tools_message_observer_t* self, cef_browser_t* browser) nothrow on_dev_tools_agent_attached; /// /// Method that will be called when the DevTools agent has detached. |browser| /// is the originating browser instance. Any function results that were /// pending before the agent became detached will not be delivered, and any /// active event subscriptions will be canceled. /// extern(System) void function ( cef_dev_tools_message_observer_t* self, cef_browser_t* browser) nothrow on_dev_tools_agent_detached; } // CEF_INCLUDE_CAPI_CEF_DEVTOOLS_MESSAGE_OBSERVER_CAPI_H_ // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the CEF translator tool and should not edited // by hand. See the translator.README.txt file in the tools directory for // more information. // // $hash=69545645f079f4593d9cbb6d8a36535c209245f7$ // extern (C): /// /// Callback structure for asynchronous continuation of file dialog requests. /// struct cef_file_dialog_callback_t { /// /// Base structure. /// /// /// Continue the file selection. |file_paths| should be a single value or a /// list of values depending on the dialog mode. An NULL |file_paths| value is /// treated the same as calling cancel(). /// /// /// Cancel the file selection. /// /// /// Implement this structure to handle dialog events. The functions of this /// structure will be called on the browser process UI thread. /// cef_base_ref_counted_t base; extern(System) void function ( cef_file_dialog_callback_t* self, cef_string_list_t file_paths) nothrow cont; extern(System) void function (cef_file_dialog_callback_t* self) nothrow cancel; } struct cef_dialog_handler_t { /// /// Base structure. /// cef_base_ref_counted_t base; /// /// Called to run a file chooser dialog. |mode| represents the type of dialog /// to display. |title| to the title to be used for the dialog and may be NULL /// to show the default title ("Open" or "Save" depending on the mode). /// |default_file_path| is the path with optional directory and/or file name /// component that should be initially selected in the dialog. /// |accept_filters| are used to restrict the selectable file types and may /// any combination of (a) valid lower-cased MIME types (e.g. "text/*" or /// "image/*"), (b) individual file extensions (e.g. ".txt" or ".png"), or (c) /// combined description and file extension delimited using "|" and ";" (e.g. /// "Image Types|.png;.gif;.jpg"). To display a custom dialog return true (1) /// and execute |callback| either inline or at a later time. To display the /// default dialog return false (0). /// extern(System) int function ( cef_dialog_handler_t* self, cef_browser_t* browser, cef_file_dialog_mode_t mode, const(cef_string_t)* title, const(cef_string_t)* default_file_path, cef_string_list_t accept_filters, cef_file_dialog_callback_t* callback) nothrow on_file_dialog; } // CEF_INCLUDE_CAPI_CEF_DIALOG_HANDLER_CAPI_H_ // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the CEF translator tool and should not edited // by hand. See the translator.README.txt file in the tools directory for // more information. // // $hash=5374127458a7cac3ee9b4d2b4ad8a6f5ca81ec52$ // import core.stdc.config; extern (C): /// /// Implement this structure to handle events related to browser display state. /// The functions of this structure will be called on the UI thread. /// struct cef_display_handler_t { /// /// Base structure. /// /// /// Called when a frame's address has changed. /// /// /// Called when the page title changes. /// cef_base_ref_counted_t base; extern(System) void function ( cef_display_handler_t* self, cef_browser_t* browser, cef_frame_t* frame, const(cef_string_t)* url) nothrow on_address_change; extern(System) void function ( cef_display_handler_t* self, cef_browser_t* browser, const(cef_string_t)* title) nothrow on_title_change; /// /// Called when the page icon changes. /// extern(System) void function ( cef_display_handler_t* self, cef_browser_t* browser, cef_string_list_t icon_urls) nothrow on_favicon_urlchange; /// /// Called when web content in the page has toggled fullscreen mode. If /// |fullscreen| is true (1) the content will automatically be sized to fill /// the browser content area. If |fullscreen| is false (0) the content will /// automatically return to its original size and position. With the Alloy /// runtime the client is responsible for triggering the fullscreen transition /// (for example, by calling cef_window_t::SetFullscreen when using Views). /// With the Chrome runtime the fullscreen transition will be triggered /// automatically. The cef_window_delegate_t::OnWindowFullscreenTransition /// function will be called during the fullscreen transition for notification /// purposes. /// extern(System) void function ( cef_display_handler_t* self, cef_browser_t* browser, int fullscreen) nothrow on_fullscreen_mode_change; /// /// Called when the browser is about to display a tooltip. |text| contains the /// text that will be displayed in the tooltip. To handle the display of the /// tooltip yourself return true (1). Otherwise, you can optionally modify /// |text| and then return false (0) to allow the browser to display the /// tooltip. When window rendering is disabled the application is responsible /// for drawing tooltips and the return value is ignored. /// extern(System) int function ( cef_display_handler_t* self, cef_browser_t* browser, cef_string_t* text) nothrow on_tooltip; /// /// Called when the browser receives a status message. |value| contains the /// text that will be displayed in the status message. /// extern(System) void function ( cef_display_handler_t* self, cef_browser_t* browser, const(cef_string_t)* value) nothrow on_status_message; /// /// Called to display a console message. Return true (1) to stop the message /// from being output to the console. /// extern(System) int function ( cef_display_handler_t* self, cef_browser_t* browser, cef_log_severity_t level, const(cef_string_t)* message, const(cef_string_t)* source, int line) nothrow on_console_message; /// /// Called when auto-resize is enabled via /// cef_browser_host_t::SetAutoResizeEnabled and the contents have auto- /// resized. |new_size| will be the desired size in view coordinates. Return /// true (1) if the resize was handled or false (0) for default handling. /// extern(System) int function ( cef_display_handler_t* self, cef_browser_t* browser, const(cef_size_t)* new_size) nothrow on_auto_resize; /// /// Called when the overall page loading progress has changed. |progress| /// ranges from 0.0 to 1.0. /// extern(System) void function ( cef_display_handler_t* self, cef_browser_t* browser, double progress) nothrow on_loading_progress_change; /// /// Called when the browser's cursor has changed. If |type| is CT_CUSTOM then /// |custom_cursor_info| will be populated with the custom cursor information. /// Return true (1) if the cursor change was handled or false (0) for default /// handling. /// extern(System) int function ( cef_display_handler_t* self, cef_browser_t* browser, c_ulong cursor, cef_cursor_type_t type, const(cef_cursor_info_t)* custom_cursor_info) nothrow on_cursor_change; /// /// Called when the browser's access to an audio and/or video source has /// changed. /// extern(System) void function ( cef_display_handler_t* self, cef_browser_t* browser, int has_video_access, int has_audio_access) nothrow on_media_access_change; } // CEF_INCLUDE_CAPI_CEF_DISPLAY_HANDLER_CAPI_H_ // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the CEF translator tool and should not edited // by hand. See the translator.README.txt file in the tools directory for // more information. // // $hash=f18407bec715e682d5745aeb155a0113473723dd$ // extern (C): /// /// Structure to implement for visiting the DOM. The functions of this structure /// will be called on the render process main thread. /// struct cef_domvisitor_t { /// /// Base structure. /// /// /// Method executed for visiting the DOM. The document object passed to this /// function represents a snapshot of the DOM at the time this function is /// executed. DOM objects are only valid for the scope of this function. Do /// not keep references to or attempt to access any DOM objects outside the /// scope of this function. /// /// /// Structure used to represent a DOM document. The functions of this structure /// should only be called on the render process main thread thread. cef_base_ref_counted_t base; extern(System) void function ( cef_domvisitor_t* self, cef_domdocument_t* document) nothrow visit; } /// struct cef_domdocument_t { /// /// Base structure. /// cef_base_ref_counted_t base; /// /// Returns the document type. /// extern(System) cef_dom_document_type_t function (cef_domdocument_t* self) nothrow get_type; /// /// Returns the root document node. /// extern(System) cef_domnode_t* function (cef_domdocument_t* self) nothrow get_document; /// /// Returns the BODY node of an HTML document. /// extern(System) cef_domnode_t* function (cef_domdocument_t* self) nothrow get_body; /// /// Returns the HEAD node of an HTML document. /// extern(System) cef_domnode_t* function (cef_domdocument_t* self) nothrow get_head; /// /// Returns the title of an HTML document. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function (cef_domdocument_t* self) nothrow get_title; /// /// Returns the document element with the specified ID value. /// extern(System) cef_domnode_t* function ( cef_domdocument_t* self, const(cef_string_t)* id) nothrow get_element_by_id; /// /// Returns the node that currently has keyboard focus. /// extern(System) cef_domnode_t* function (cef_domdocument_t* self) nothrow get_focused_node; /// /// Returns true (1) if a portion of the document is selected. /// extern(System) int function (cef_domdocument_t* self) nothrow has_selection; /// /// Returns the selection offset within the start node. /// extern(System) int function (cef_domdocument_t* self) nothrow get_selection_start_offset; /// /// Returns the selection offset within the end node. /// extern(System) int function (cef_domdocument_t* self) nothrow get_selection_end_offset; /// /// Returns the contents of this selection as markup. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function ( cef_domdocument_t* self) nothrow get_selection_as_markup; /// /// Returns the contents of this selection as text. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function ( cef_domdocument_t* self) nothrow get_selection_as_text; /// /// Returns the base URL for the document. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function (cef_domdocument_t* self) nothrow get_base_url; /// /// Returns a complete URL based on the document base URL and the specified /// partial URL. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function ( cef_domdocument_t* self, const(cef_string_t)* partialURL) nothrow get_complete_url; } /// /// Structure used to represent a DOM node. The functions of this structure /// should only be called on the render process main thread. /// struct cef_domnode_t { /// /// Base structure. /// cef_base_ref_counted_t base; /// /// Returns the type for this node. /// extern(System) cef_dom_node_type_t function (cef_domnode_t* self) nothrow get_type; /// /// Returns true (1) if this is a text node. /// extern(System) int function (cef_domnode_t* self) nothrow is_text; /// /// Returns true (1) if this is an element node. /// extern(System) int function (cef_domnode_t* self) nothrow is_element; /// /// Returns true (1) if this is an editable node. /// extern(System) int function (cef_domnode_t* self) nothrow is_editable; /// /// Returns true (1) if this is a form control element node. /// extern(System) int function (cef_domnode_t* self) nothrow is_form_control_element; /// /// Returns the type of this form control element node. /// extern(System) cef_dom_form_control_type_t function ( cef_domnode_t* self) nothrow get_form_control_element_type; /// /// Returns true (1) if this object is pointing to the same handle as |that| /// object. /// extern(System) int function (cef_domnode_t* self, cef_domnode_t* that) nothrow is_same; /// /// Returns the name of this node. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function (cef_domnode_t* self) nothrow get_name; /// /// Returns the value of this node. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function (cef_domnode_t* self) nothrow get_value; /// /// Set the value of this node. Returns true (1) on success. /// extern(System) int function (cef_domnode_t* self, const(cef_string_t)* value) nothrow set_value; /// /// Returns the contents of this node as markup. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function (cef_domnode_t* self) nothrow get_as_markup; /// /// Returns the document associated with this node. /// extern(System) cef_domdocument_t* function (cef_domnode_t* self) nothrow get_document; /// /// Returns the parent node. /// extern(System) cef_domnode_t* function (cef_domnode_t* self) nothrow get_parent; /// /// Returns the previous sibling node. /// extern(System) cef_domnode_t* function (cef_domnode_t* self) nothrow get_previous_sibling; /// /// Returns the next sibling node. /// extern(System) cef_domnode_t* function (cef_domnode_t* self) nothrow get_next_sibling; /// /// Returns true (1) if this node has child nodes. /// extern(System) int function (cef_domnode_t* self) nothrow has_children; /// /// Return the first child node. /// extern(System) cef_domnode_t* function (cef_domnode_t* self) nothrow get_first_child; /// /// Returns the last child node. /// extern(System) cef_domnode_t* function (cef_domnode_t* self) nothrow get_last_child; /// /// Returns the tag name of this element. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function (cef_domnode_t* self) nothrow get_element_tag_name; /// /// Returns true (1) if this element has attributes. /// extern(System) int function (cef_domnode_t* self) nothrow has_element_attributes; /// /// Returns true (1) if this element has an attribute named |attrName|. /// extern(System) int function ( cef_domnode_t* self, const(cef_string_t)* attrName) nothrow has_element_attribute; /// /// Returns the element attribute named |attrName|. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function ( cef_domnode_t* self, const(cef_string_t)* attrName) nothrow get_element_attribute; /// /// Returns a map of all element attributes. /// extern(System) void function ( cef_domnode_t* self, cef_string_map_t attrMap) nothrow get_element_attributes; /// /// Set the value for the element attribute named |attrName|. Returns true (1) /// on success. /// extern(System) int function ( cef_domnode_t* self, const(cef_string_t)* attrName, const(cef_string_t)* value) nothrow set_element_attribute; /// /// Returns the inner text of the element. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function ( cef_domnode_t* self) nothrow get_element_inner_text; /// /// Returns the bounds of the element in device pixels. Use /// "window.devicePixelRatio" to convert to/from CSS pixels. /// extern(System) cef_rect_t function (cef_domnode_t* self) nothrow get_element_bounds; } // CEF_INCLUDE_CAPI_CEF_DOM_CAPI_H_ // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the CEF translator tool and should not edited // by hand. See the translator.README.txt file in the tools directory for // more information. // // $hash=f1f6a110a7ce15611a7062b3d7fe8b5c630f2980$ // extern (C): /// /// Callback structure used to asynchronously continue a download. /// struct cef_before_download_callback_t { /// /// Base structure. /// /// /// Call to continue the download. Set |download_path| to the full file path /// for the download including the file name or leave blank to use the /// suggested name and the default temp directory. Set |show_dialog| to true /// (1) if you do wish to show the default "Save As" dialog. /// /// /// Callback structure used to asynchronously cancel a download. /// cef_base_ref_counted_t base; extern(System) void function ( cef_before_download_callback_t* self, const(cef_string_t)* download_path, int show_dialog) nothrow cont; } struct cef_download_item_callback_t { /// /// Base structure. /// cef_base_ref_counted_t base; /// /// Call to cancel the download. /// extern(System) void function (cef_download_item_callback_t* self) nothrow cancel; /// /// Call to pause the download. /// extern(System) void function (cef_download_item_callback_t* self) nothrow pause; /// /// Call to resume the download. /// extern(System) void function (cef_download_item_callback_t* self) nothrow resume; } /// /// Structure used to handle file downloads. The functions of this structure /// will called on the browser process UI thread. /// struct cef_download_handler_t { /// /// Base structure. /// cef_base_ref_counted_t base; /// /// Called before a download begins in response to a user-initiated action /// (e.g. alt + link click or link click that returns a `Content-Disposition: /// attachment` response from the server). |url| is the target download URL /// and |request_function| is the target function (GET, POST, etc) nothrow. Return /// true (1) to proceed with the download or false (0) to cancel the download. /// extern(System) int function ( cef_download_handler_t* self, cef_browser_t* browser, const(cef_string_t)* url, const(cef_string_t)* request_method) nothrow can_download; /// /// Called before a download begins. |suggested_name| is the suggested name /// for the download file. By default the download will be canceled. Execute /// |callback| either asynchronously or in this function to continue the /// download if desired. Do not keep a reference to |download_item| outside of /// this function. /// extern(System) void function ( cef_download_handler_t* self, cef_browser_t* browser, cef_download_item_t* download_item, const(cef_string_t)* suggested_name, cef_before_download_callback_t* callback) nothrow on_before_download; /// /// Called when a download's status or progress information has been updated. /// This may be called multiple times before and after on_before_download(). /// Execute |callback| either asynchronously or in this function to cancel the /// download if desired. Do not keep a reference to |download_item| outside of /// this function. /// extern(System) void function ( cef_download_handler_t* self, cef_browser_t* browser, cef_download_item_t* download_item, cef_download_item_callback_t* callback) nothrow on_download_updated; } // CEF_INCLUDE_CAPI_CEF_DOWNLOAD_HANDLER_CAPI_H_ // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the CEF translator tool and should not edited // by hand. See the translator.README.txt file in the tools directory for // more information. // // $hash=c4ecfde5d6791400c4b3fd466e7d3676d51cf8d8$ // extern (C): /// /// Structure used to represent a download item. /// struct cef_download_item_t { /// /// Base structure. /// /// /// Returns true (1) if this object is valid. Do not call any other functions /// if this function returns false (0). /// /// /// Returns true (1) if the download is in progress. /// /// /// Returns true (1) if the download is complete. /// /// /// Returns true (1) if the download has been canceled. /// /// /// Returns true (1) if the download has been interrupted. /// cef_base_ref_counted_t base; extern(System) int function (cef_download_item_t* self) nothrow is_valid; extern(System) int function (cef_download_item_t* self) nothrow is_in_progress; extern(System) int function (cef_download_item_t* self) nothrow is_complete; extern(System) int function (cef_download_item_t* self) nothrow is_canceled; extern(System) int function (cef_download_item_t* self) nothrow is_interrupted; /// /// Returns the most recent interrupt reason. /// extern(System) cef_download_interrupt_reason_t function ( cef_download_item_t* self) nothrow get_interrupt_reason; /// /// Returns a simple speed estimate in bytes/s. /// extern(System) long function (cef_download_item_t* self) nothrow get_current_speed; /// /// Returns the rough percent complete or -1 if the receive total size is /// unknown. /// extern(System) int function (cef_download_item_t* self) nothrow get_percent_complete; /// /// Returns the total number of bytes. /// extern(System) long function (cef_download_item_t* self) nothrow get_total_bytes; /// /// Returns the number of received bytes. /// extern(System) long function (cef_download_item_t* self) nothrow get_received_bytes; /// /// Returns the time that the download started. /// extern(System) cef_basetime_t function (cef_download_item_t* self) nothrow get_start_time; /// /// Returns the time that the download ended. /// extern(System) cef_basetime_t function (cef_download_item_t* self) nothrow get_end_time; /// /// Returns the full path to the downloaded or downloading file. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function (cef_download_item_t* self) nothrow get_full_path; /// /// Returns the unique identifier for this download. /// extern(System) uint function (cef_download_item_t* self) nothrow get_id; /// /// Returns the URL. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function (cef_download_item_t* self) nothrow get_url; /// /// Returns the original URL before any redirections. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function ( cef_download_item_t* self) nothrow get_original_url; /// /// Returns the suggested file name. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function ( cef_download_item_t* self) nothrow get_suggested_file_name; /// /// Returns the content disposition. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function ( cef_download_item_t* self) nothrow get_content_disposition; /// /// Returns the mime type. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function (cef_download_item_t* self) nothrow get_mime_type; } // CEF_INCLUDE_CAPI_CEF_DOWNLOAD_ITEM_CAPI_H_ // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the CEF translator tool and should not edited // by hand. See the translator.README.txt file in the tools directory for // more information. // // $hash=8d00465ba004758f464cdb8b1fbd02cd26323ace$ // extern (C): /// /// Structure used to represent drag data. The functions of this structure may /// be called on any thread. /// struct cef_drag_data_t { /// /// Base structure. /// /// /// Returns a copy of the current object. /// /// /// Returns true (1) if this object is read-only. /// /// /// Returns true (1) if the drag data is a link. /// /// /// Returns true (1) if the drag data is a text or html fragment. /// /// /// Returns true (1) if the drag data is a file. /// cef_base_ref_counted_t base; extern(System) cef_drag_data_t* function (cef_drag_data_t* self) nothrow clone; extern(System) int function (cef_drag_data_t* self) nothrow is_read_only; extern(System) int function (cef_drag_data_t* self) nothrow is_link; extern(System) int function (cef_drag_data_t* self) nothrow is_fragment; extern(System) int function (cef_drag_data_t* self) nothrow is_file; /// /// Return the link URL that is being dragged. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function (cef_drag_data_t* self) nothrow get_link_url; /// /// Return the title associated with the link being dragged. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function (cef_drag_data_t* self) nothrow get_link_title; /// /// Return the metadata, if any, associated with the link being dragged. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function (cef_drag_data_t* self) nothrow get_link_metadata; /// /// Return the plain text fragment that is being dragged. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function (cef_drag_data_t* self) nothrow get_fragment_text; /// /// Return the text/html fragment that is being dragged. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function (cef_drag_data_t* self) nothrow get_fragment_html; /// /// Return the base URL that the fragment came from. This value is used for /// resolving relative URLs and may be NULL. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function ( cef_drag_data_t* self) nothrow get_fragment_base_url; /// /// Return the name of the file being dragged out of the browser window. /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function (cef_drag_data_t* self) nothrow get_file_name; /// /// Write the contents of the file being dragged out of the web view into /// |writer|. Returns the number of bytes sent to |writer|. If |writer| is /// NULL this function will return the size of the file contents in bytes. /// Call get_file_name() to get a suggested name for the file. /// extern(System) size_t function ( cef_drag_data_t* self, cef_stream_writer_t* writer) nothrow get_file_contents; /// /// Retrieve the list of file names that are being dragged into the browser /// window. /// extern(System) int function ( cef_drag_data_t* self, cef_string_list_t names) nothrow get_file_names; /// /// Retrieve the list of file paths that are being dragged into the browser /// window. /// extern(System) int function ( cef_drag_data_t* self, cef_string_list_t paths) nothrow get_file_paths; /// /// Set the link URL that is being dragged. /// extern(System) void function ( cef_drag_data_t* self, const(cef_string_t)* url) nothrow set_link_url; /// /// Set the title associated with the link being dragged. /// extern(System) void function ( cef_drag_data_t* self, const(cef_string_t)* title) nothrow set_link_title; /// /// Set the metadata associated with the link being dragged. /// extern(System) void function ( cef_drag_data_t* self, const(cef_string_t)* data) nothrow set_link_metadata; /// /// Set the plain text fragment that is being dragged. /// extern(System) void function ( cef_drag_data_t* self, const(cef_string_t)* text) nothrow set_fragment_text; /// /// Set the text/html fragment that is being dragged. /// extern(System) void function ( cef_drag_data_t* self, const(cef_string_t)* html) nothrow set_fragment_html; /// /// Set the base URL that the fragment came from. /// extern(System) void function ( cef_drag_data_t* self, const(cef_string_t)* base_url) nothrow set_fragment_base_url; /// /// Reset the file contents. You should do this before calling /// cef_browser_host_t::DragTargetDragEnter as the web view does not allow us /// to drag in this kind of data. /// extern(System) void function (cef_drag_data_t* self) nothrow reset_file_contents; /// /// Add a file that is being dragged into the webview. /// extern(System) void function ( cef_drag_data_t* self, const(cef_string_t)* path, const(cef_string_t)* display_name) nothrow add_file; /// /// Clear list of filenames. /// extern(System) void function (cef_drag_data_t* self) nothrow clear_filenames; /// /// Get the image representation of drag data. May return NULL if no image /// representation is available. /// extern(System) cef_image_t* function (cef_drag_data_t* self) nothrow get_image; /// /// Get the image hotspot (drag start location relative to image dimensions). /// extern(System) cef_point_t function (cef_drag_data_t* self) nothrow get_image_hotspot; /// /// Returns true (1) if an image representation of drag data is available. /// extern(System) int function (cef_drag_data_t* self) nothrow has_image; } /// /// Create a new cef_drag_data_t object. /// cef_drag_data_t* cef_drag_data_create (); // CEF_INCLUDE_CAPI_CEF_DRAG_DATA_CAPI_H_ // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the CEF translator tool and should not edited // by hand. See the translator.README.txt file in the tools directory for // more information. // // $hash=ad16b0f4320d7b363efb152a65e3ce142882b9d9$ // extern (C): /// /// Implement this structure to handle events related to dragging. The functions /// of this structure will be called on the UI thread. /// struct cef_drag_handler_t { /// /// Base structure. /// /// /// Called when an external drag event enters the browser window. |dragData| /// contains the drag event data and |mask| represents the type of drag /// operation. Return false (0) for default drag handling behavior or true (1) /// to cancel the drag event. /// cef_base_ref_counted_t base; extern(System) int function ( cef_drag_handler_t* self, cef_browser_t* browser, cef_drag_data_t* dragData, cef_drag_operations_mask_t mask) nothrow on_drag_enter; /// /// Called whenever draggable regions for the browser window change. These can /// be specified using the '-webkit-app-region: drag/no-drag' CSS-property. If /// draggable regions are never defined in a document this function will also /// never be called. If the last draggable region is removed from a document /// this function will be called with an NULL vector. /// extern(System) void function ( cef_drag_handler_t* self, cef_browser_t* browser, cef_frame_t* frame, size_t regionsCount, const(cef_draggable_region_t)* regions) nothrow on_draggable_regions_changed; } // CEF_INCLUDE_CAPI_CEF_DRAG_HANDLER_CAPI_H_ // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the CEF translator tool and should not edited // by hand. See the translator.README.txt file in the tools directory for // more information. // // $hash=c81a74622b987483e5fcd2c508aec5c13e12389b$ // extern (C): /// /// Object representing an extension. Methods may be called on any thread unless /// otherwise indicated. /// struct cef_extension_t { /// /// Base structure. /// /// /// Returns the unique extension identifier. This is calculated based on the /// extension public key, if available, or on the extension path. See /// https://developer.chrome.com/extensions/manifest/key for details. /// // The resulting string must be freed by calling cef_string_userfree_free(). /// /// Returns the absolute path to the extension directory on disk. This value /// will be prefixed with PK_DIR_RESOURCES if a relative path was passed to /// cef_request_context_t::LoadExtension. cef_base_ref_counted_t base; extern(System) cef_string_userfree_t function (cef_extension_t* self) nothrow get_identifier; /// // The resulting string must be freed by calling cef_string_userfree_free(). extern(System) cef_string_userfree_t function (cef_extension_t* self) nothrow get_path; /// /// Returns the extension manifest contents as a cef_dictionary_value_t /// object. See https://developer.chrome.com/extensions/manifest for details. /// extern(System) cef_dictionary_value_t* function (cef_extension_t* self) nothrow get_manifest; /// /// Returns true (1) if this object is the same extension as |that| object. /// Extensions are considered the same if identifier, path and loader context /// match. /// extern(System) int function (cef_extension_t* self, cef_extension_t* that) nothrow is_same; /// /// Returns the handler for this extension. Will return NULL for internal /// extensions or if no handler was passed to /// cef_request_context_t::LoadExtension. /// extern(System) cef_extension_handler_t* function (cef_extension_t* self) nothrow get_handler; /// /// Returns the request context that loaded this extension. Will return NULL /// for internal extensions or if the extension has been unloaded. See the /// cef_request_context_t::LoadExtension documentation for more information /// about loader contexts. Must be called on the browser process UI thread. /// extern(System) cef_request_context_t* function ( cef_extension_t* self) nothrow get_loader_context; /// /// Returns true (1) if this extension is currently loaded. Must be called on /// the browser process UI thread. /// extern(System) int function (cef_extension_t* self) nothrow is_loaded; /// /// Unload this extension if it is not an internal extension and is currently /// loaded. Will result in a call to /// cef_extension_handler_t::OnExtensionUnloaded on success. /// extern(System) void function (cef_extension_t* self) nothrow unload; } // CEF_INCLUDE_CAPI_CEF_EXTENSION_CAPI_H_ // Copyright (c) 2023 Marshall A. Greenblatt. All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the name Chromium Embedded // Framework nor the names of its contributors may be used to endorse // or promote products derived from this software without specific prior // written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // // --------------------------------------------------------------------------- // // This file was generated by the CEF translator tool and should not edited // by hand. See the translator.README.txt file in the tools directory for // more information. // // $hash=ad6d3845b150f22b88a71dafa601ef01c9579824$ // extern (C): /// /// Callback structure used for asynchronous continuation of /// cef_extension_handler_t::GetExtensionResource. /// struct cef_get_extension_resource_callback_t { /// /// Base structure. /// /// /// Continue the request. Read the resource contents from |stream|. /// /// /// Cancel the request. /// /// /// Implement this structure to handle events related to browser extensions. The /// functions of this structure will be called on the UI thread. See cef_base_ref_counted_t base; extern(System) void function ( cef_get_extension_resource_callback_t* self, cef_stream_reader_t* stream) nothrow cont; extern(System) void function (cef_get_extension_resource_callback_t* self) nothrow cancel; } /// cef_request_context_t::LoadExtension for information about extension /// loading. /// struct cef_extension_handler_t { /// /// Base structure. /// cef_base_ref_counted_t base; /// /// Called if the cef_request_context_t::LoadExtension request fails. |result| /// will be the error code. /// extern(System) void function ( cef_extension_handler_t* self, cef_errorcode_t result) nothrow on_extension_load_failed; /// /// Called if the cef_request_context_t::LoadExtension request succeeds. /// |extension| is the loaded extension. /// extern(System) void function ( cef_extension_handler_t* self, cef_extension_t* extension) nothrow on_extension_loaded; /// /// Called after the cef_extension_t::Unload request has completed. /// extern(System) void function ( cef_extension_handler_t* self, cef_extension_t* extension) nothrow on_extension_unloaded; /// /// Called when an extension needs a browser to host a background script /// specified via the "background" manifest key. The browser will have no /// visible window and cannot be displayed. |extension| is the extension that /// is loading the background script. |url| is an internally generated /// reference to an HTML page that will be used to load the background script /// via a "