Merge remote-tracking branch 'refs/remotes/atom/master'
This commit is contained in:
commit
bca88c1fb9
18 changed files with 176 additions and 157 deletions
|
@ -10,6 +10,7 @@
|
||||||
#include "base/at_exit.h"
|
#include "base/at_exit.h"
|
||||||
#include "base/i18n/icu_util.h"
|
#include "base/i18n/icu_util.h"
|
||||||
#include "base/mac/bundle_locations.h"
|
#include "base/mac/bundle_locations.h"
|
||||||
|
#include "base/mac/scoped_nsautorelease_pool.h"
|
||||||
#include "brightray/common/mac/main_application_bundle.h"
|
#include "brightray/common/mac/main_application_bundle.h"
|
||||||
#include "content/public/app/content_main.h"
|
#include "content/public/app/content_main.h"
|
||||||
|
|
||||||
|
@ -25,6 +26,7 @@ int AtomMain(int argc, const char* argv[]) {
|
||||||
|
|
||||||
int AtomInitializeICUandStartNode(int argc, char *argv[]) {
|
int AtomInitializeICUandStartNode(int argc, char *argv[]) {
|
||||||
base::AtExitManager atexit_manager;
|
base::AtExitManager atexit_manager;
|
||||||
|
base::mac::ScopedNSAutoreleasePool pool;
|
||||||
base::mac::SetOverrideFrameworkBundlePath(
|
base::mac::SetOverrideFrameworkBundlePath(
|
||||||
brightray::MainApplicationBundlePath()
|
brightray::MainApplicationBundlePath()
|
||||||
.Append("Contents")
|
.Append("Contents")
|
||||||
|
|
|
@ -7,8 +7,8 @@
|
||||||
#include "atom/app/uv_task_runner.h"
|
#include "atom/app/uv_task_runner.h"
|
||||||
#include "atom/browser/javascript_environment.h"
|
#include "atom/browser/javascript_environment.h"
|
||||||
#include "atom/browser/node_debugger.h"
|
#include "atom/browser/node_debugger.h"
|
||||||
#include "atom/common/node_includes.h"
|
|
||||||
#include "base/command_line.h"
|
#include "base/command_line.h"
|
||||||
|
#include "atom/common/node_includes.h"
|
||||||
#include "base/thread_task_runner_handle.h"
|
#include "base/thread_task_runner_handle.h"
|
||||||
#include "gin/array_buffer.h"
|
#include "gin/array_buffer.h"
|
||||||
#include "gin/public/isolate_holder.h"
|
#include "gin/public/isolate_holder.h"
|
||||||
|
@ -19,25 +19,22 @@ namespace atom {
|
||||||
int NodeMain(int argc, char *argv[]) {
|
int NodeMain(int argc, char *argv[]) {
|
||||||
base::CommandLine::Init(argc, argv);
|
base::CommandLine::Init(argc, argv);
|
||||||
|
|
||||||
argv = uv_setup_args(argc, argv);
|
|
||||||
int exec_argc;
|
|
||||||
const char** exec_argv;
|
|
||||||
node::Init(&argc, const_cast<const char**>(argv), &exec_argc, &exec_argv);
|
|
||||||
|
|
||||||
int exit_code = 1;
|
int exit_code = 1;
|
||||||
{
|
{
|
||||||
// Feed gin::PerIsolateData with a task runner.
|
// Feed gin::PerIsolateData with a task runner.
|
||||||
|
argv = uv_setup_args(argc, argv);
|
||||||
uv_loop_t* loop = uv_default_loop();
|
uv_loop_t* loop = uv_default_loop();
|
||||||
scoped_refptr<UvTaskRunner> uv_task_runner(new UvTaskRunner(loop));
|
scoped_refptr<UvTaskRunner> uv_task_runner(new UvTaskRunner(loop));
|
||||||
base::ThreadTaskRunnerHandle handle(uv_task_runner);
|
base::ThreadTaskRunnerHandle handle(uv_task_runner);
|
||||||
|
|
||||||
gin::V8Initializer::LoadV8Snapshot();
|
gin::V8Initializer::LoadV8Snapshot();
|
||||||
gin::V8Initializer::LoadV8Natives();
|
gin::V8Initializer::LoadV8Natives();
|
||||||
gin::IsolateHolder::Initialize(
|
|
||||||
gin::IsolateHolder::kNonStrictMode,
|
|
||||||
gin::ArrayBufferAllocator::SharedInstance());
|
|
||||||
|
|
||||||
JavascriptEnvironment gin_env;
|
JavascriptEnvironment gin_env;
|
||||||
|
|
||||||
|
int exec_argc;
|
||||||
|
const char** exec_argv;
|
||||||
|
node::Init(&argc, const_cast<const char**>(argv), &exec_argc, &exec_argv);
|
||||||
|
|
||||||
node::Environment* env = node::CreateEnvironment(
|
node::Environment* env = node::CreateEnvironment(
|
||||||
gin_env.isolate(), loop, gin_env.context(), argc, argv,
|
gin_env.isolate(), loop, gin_env.context(), argc, argv,
|
||||||
exec_argc, exec_argv);
|
exec_argc, exec_argv);
|
||||||
|
|
|
@ -48,8 +48,13 @@ void UvTaskRunner::OnTimeout(uv_timer_t* timer) {
|
||||||
|
|
||||||
self->tasks_[timer].Run();
|
self->tasks_[timer].Run();
|
||||||
self->tasks_.erase(timer);
|
self->tasks_.erase(timer);
|
||||||
uv_unref(reinterpret_cast<uv_handle_t*>(timer));
|
uv_timer_stop(timer);
|
||||||
delete timer;
|
uv_close(reinterpret_cast<uv_handle_t*>(timer), UvTaskRunner::OnClose);
|
||||||
|
}
|
||||||
|
|
||||||
|
// static
|
||||||
|
void UvTaskRunner::OnClose(uv_handle_t* handle) {
|
||||||
|
delete reinterpret_cast<uv_timer_t*>(handle);
|
||||||
}
|
}
|
||||||
|
|
||||||
} // namespace atom
|
} // namespace atom
|
||||||
|
|
|
@ -31,6 +31,7 @@ class UvTaskRunner : public base::SingleThreadTaskRunner {
|
||||||
|
|
||||||
private:
|
private:
|
||||||
static void OnTimeout(uv_timer_t* timer);
|
static void OnTimeout(uv_timer_t* timer);
|
||||||
|
static void OnClose(uv_handle_t* handle);
|
||||||
|
|
||||||
uv_loop_t* loop_;
|
uv_loop_t* loop_;
|
||||||
|
|
||||||
|
|
|
@ -20,7 +20,6 @@ JavascriptEnvironment::JavascriptEnvironment()
|
||||||
}
|
}
|
||||||
|
|
||||||
bool JavascriptEnvironment::Initialize() {
|
bool JavascriptEnvironment::Initialize() {
|
||||||
gin::V8Initializer::LoadV8Snapshot();
|
|
||||||
gin::IsolateHolder::Initialize(gin::IsolateHolder::kNonStrictMode,
|
gin::IsolateHolder::Initialize(gin::IsolateHolder::kNonStrictMode,
|
||||||
gin::ArrayBufferAllocator::SharedInstance());
|
gin::ArrayBufferAllocator::SharedInstance());
|
||||||
return true;
|
return true;
|
||||||
|
|
|
@ -43,26 +43,6 @@ DEFINE_WEB_CONTENTS_USER_DATA_KEY(atom::NativeWindowRelay);
|
||||||
|
|
||||||
namespace atom {
|
namespace atom {
|
||||||
|
|
||||||
namespace {
|
|
||||||
|
|
||||||
// Convert draggable regions in raw format to SkRegion format. Caller is
|
|
||||||
// responsible for deleting the returned SkRegion instance.
|
|
||||||
scoped_ptr<SkRegion> DraggableRegionsToSkRegion(
|
|
||||||
const std::vector<DraggableRegion>& regions) {
|
|
||||||
scoped_ptr<SkRegion> sk_region(new SkRegion);
|
|
||||||
for (const DraggableRegion& region : regions) {
|
|
||||||
sk_region->op(
|
|
||||||
region.bounds.x(),
|
|
||||||
region.bounds.y(),
|
|
||||||
region.bounds.right(),
|
|
||||||
region.bounds.bottom(),
|
|
||||||
region.draggable ? SkRegion::kUnion_Op : SkRegion::kDifference_Op);
|
|
||||||
}
|
|
||||||
return sk_region.Pass();
|
|
||||||
}
|
|
||||||
|
|
||||||
} // namespace
|
|
||||||
|
|
||||||
NativeWindow::NativeWindow(
|
NativeWindow::NativeWindow(
|
||||||
brightray::InspectableWebContents* inspectable_web_contents,
|
brightray::InspectableWebContents* inspectable_web_contents,
|
||||||
const mate::Dictionary& options)
|
const mate::Dictionary& options)
|
||||||
|
@ -480,6 +460,20 @@ void NativeWindow::NotifyWindowExecuteWindowsCommand(
|
||||||
OnExecuteWindowsCommand(command));
|
OnExecuteWindowsCommand(command));
|
||||||
}
|
}
|
||||||
|
|
||||||
|
scoped_ptr<SkRegion> NativeWindow::DraggableRegionsToSkRegion(
|
||||||
|
const std::vector<DraggableRegion>& regions) {
|
||||||
|
scoped_ptr<SkRegion> sk_region(new SkRegion);
|
||||||
|
for (const DraggableRegion& region : regions) {
|
||||||
|
sk_region->op(
|
||||||
|
region.bounds.x(),
|
||||||
|
region.bounds.y(),
|
||||||
|
region.bounds.right(),
|
||||||
|
region.bounds.bottom(),
|
||||||
|
region.draggable ? SkRegion::kUnion_Op : SkRegion::kDifference_Op);
|
||||||
|
}
|
||||||
|
return sk_region.Pass();
|
||||||
|
}
|
||||||
|
|
||||||
void NativeWindow::RenderViewCreated(
|
void NativeWindow::RenderViewCreated(
|
||||||
content::RenderViewHost* render_view_host) {
|
content::RenderViewHost* render_view_host) {
|
||||||
if (!transparent_)
|
if (!transparent_)
|
||||||
|
|
|
@ -241,10 +241,19 @@ class NativeWindow : public base::SupportsUserData,
|
||||||
NativeWindow(brightray::InspectableWebContents* inspectable_web_contents,
|
NativeWindow(brightray::InspectableWebContents* inspectable_web_contents,
|
||||||
const mate::Dictionary& options);
|
const mate::Dictionary& options);
|
||||||
|
|
||||||
|
// Convert draggable regions in raw format to SkRegion format. Caller is
|
||||||
|
// responsible for deleting the returned SkRegion instance.
|
||||||
|
scoped_ptr<SkRegion> DraggableRegionsToSkRegion(
|
||||||
|
const std::vector<DraggableRegion>& regions);
|
||||||
|
|
||||||
// Converts between content size to window size.
|
// Converts between content size to window size.
|
||||||
virtual gfx::Size ContentSizeToWindowSize(const gfx::Size& size) = 0;
|
virtual gfx::Size ContentSizeToWindowSize(const gfx::Size& size) = 0;
|
||||||
virtual gfx::Size WindowSizeToContentSize(const gfx::Size& size) = 0;
|
virtual gfx::Size WindowSizeToContentSize(const gfx::Size& size) = 0;
|
||||||
|
|
||||||
|
// Called when the window needs to update its draggable region.
|
||||||
|
virtual void UpdateDraggableRegions(
|
||||||
|
const std::vector<DraggableRegion>& regions);
|
||||||
|
|
||||||
// content::WebContentsObserver:
|
// content::WebContentsObserver:
|
||||||
void RenderViewCreated(content::RenderViewHost* render_view_host) override;
|
void RenderViewCreated(content::RenderViewHost* render_view_host) override;
|
||||||
void BeforeUnloadDialogCancelled() override;
|
void BeforeUnloadDialogCancelled() override;
|
||||||
|
@ -252,10 +261,6 @@ class NativeWindow : public base::SupportsUserData,
|
||||||
bool OnMessageReceived(const IPC::Message& message) override;
|
bool OnMessageReceived(const IPC::Message& message) override;
|
||||||
|
|
||||||
private:
|
private:
|
||||||
// Called when the window needs to update its draggable region.
|
|
||||||
void UpdateDraggableRegions(
|
|
||||||
const std::vector<DraggableRegion>& regions);
|
|
||||||
|
|
||||||
// Schedule a notification unresponsive event.
|
// Schedule a notification unresponsive event.
|
||||||
void ScheduleUnresponsiveEvent(int ms);
|
void ScheduleUnresponsiveEvent(int ms);
|
||||||
|
|
||||||
|
|
|
@ -71,12 +71,10 @@ class NativeWindowMac : public NativeWindow {
|
||||||
void SetVisibleOnAllWorkspaces(bool visible) override;
|
void SetVisibleOnAllWorkspaces(bool visible) override;
|
||||||
bool IsVisibleOnAllWorkspaces() override;
|
bool IsVisibleOnAllWorkspaces() override;
|
||||||
|
|
||||||
// Returns true if |point| in local Cocoa coordinate system falls within
|
// Refresh the DraggableRegion views.
|
||||||
// the draggable region.
|
void UpdateDraggableRegionViews() {
|
||||||
bool IsWithinDraggableRegion(NSPoint point) const;
|
UpdateDraggableRegionViews(draggable_regions_);
|
||||||
|
}
|
||||||
// Called to handle a mouse event.
|
|
||||||
void HandleMouseEvent(NSEvent* event);
|
|
||||||
|
|
||||||
protected:
|
protected:
|
||||||
// NativeWindow:
|
// NativeWindow:
|
||||||
|
@ -84,17 +82,24 @@ class NativeWindowMac : public NativeWindow {
|
||||||
content::WebContents*,
|
content::WebContents*,
|
||||||
const content::NativeWebKeyboardEvent&) override;
|
const content::NativeWebKeyboardEvent&) override;
|
||||||
|
|
||||||
|
// Return a vector of non-draggable regions that fill a window of size
|
||||||
|
// |width| by |height|, but leave gaps where the window should be draggable.
|
||||||
|
std::vector<gfx::Rect> CalculateNonDraggableRegions(
|
||||||
|
const std::vector<DraggableRegion>& regions, int width, int height);
|
||||||
|
|
||||||
private:
|
private:
|
||||||
// NativeWindow:
|
// NativeWindow:
|
||||||
gfx::Size ContentSizeToWindowSize(const gfx::Size& size) override;
|
gfx::Size ContentSizeToWindowSize(const gfx::Size& size) override;
|
||||||
gfx::Size WindowSizeToContentSize(const gfx::Size& size) override;
|
gfx::Size WindowSizeToContentSize(const gfx::Size& size) override;
|
||||||
|
void UpdateDraggableRegions(
|
||||||
|
const std::vector<DraggableRegion>& regions) override;
|
||||||
|
|
||||||
void InstallView();
|
void InstallView();
|
||||||
void UninstallView();
|
void UninstallView();
|
||||||
|
|
||||||
// Install the drag view, which will cover the whole window and decides
|
// Install the drag view, which will cover the whole window and decides
|
||||||
// whehter we can drag.
|
// whehter we can drag.
|
||||||
void InstallDraggableRegionView();
|
void UpdateDraggableRegionViews(const std::vector<DraggableRegion>& regions);
|
||||||
|
|
||||||
base::scoped_nsobject<AtomNSWindow> window_;
|
base::scoped_nsobject<AtomNSWindow> window_;
|
||||||
base::scoped_nsobject<AtomNSWindowDelegate> window_delegate_;
|
base::scoped_nsobject<AtomNSWindowDelegate> window_delegate_;
|
||||||
|
@ -102,6 +107,8 @@ class NativeWindowMac : public NativeWindow {
|
||||||
// The view that will fill the whole frameless window.
|
// The view that will fill the whole frameless window.
|
||||||
base::scoped_nsobject<FullSizeContentView> content_view_;
|
base::scoped_nsobject<FullSizeContentView> content_view_;
|
||||||
|
|
||||||
|
std::vector<DraggableRegion> draggable_regions_;
|
||||||
|
|
||||||
bool is_kiosk_;
|
bool is_kiosk_;
|
||||||
|
|
||||||
NSInteger attention_request_id_; // identifier from requestUserAttention
|
NSInteger attention_request_id_; // identifier from requestUserAttention
|
||||||
|
@ -109,10 +116,6 @@ class NativeWindowMac : public NativeWindow {
|
||||||
// The presentation options before entering kiosk mode.
|
// The presentation options before entering kiosk mode.
|
||||||
NSApplicationPresentationOptions kiosk_options_;
|
NSApplicationPresentationOptions kiosk_options_;
|
||||||
|
|
||||||
// Mouse location since the last mouse event, in screen coordinates. This is
|
|
||||||
// used in custom drag to compute the window movement.
|
|
||||||
NSPoint last_mouse_offset_;
|
|
||||||
|
|
||||||
DISALLOW_COPY_AND_ASSIGN(NativeWindowMac);
|
DISALLOW_COPY_AND_ASSIGN(NativeWindowMac);
|
||||||
};
|
};
|
||||||
|
|
||||||
|
|
|
@ -19,6 +19,7 @@
|
||||||
#include "content/public/browser/render_view_host.h"
|
#include "content/public/browser/render_view_host.h"
|
||||||
#include "content/public/browser/render_widget_host_view.h"
|
#include "content/public/browser/render_widget_host_view.h"
|
||||||
#include "native_mate/dictionary.h"
|
#include "native_mate/dictionary.h"
|
||||||
|
#include "ui/gfx/skia_util.h"
|
||||||
|
|
||||||
namespace {
|
namespace {
|
||||||
|
|
||||||
|
@ -146,6 +147,7 @@ bool ScopedDisableResize::disable_resize_ = false;
|
||||||
}
|
}
|
||||||
|
|
||||||
- (void)windowDidResize:(NSNotification*)notification {
|
- (void)windowDidResize:(NSNotification*)notification {
|
||||||
|
shell_->UpdateDraggableRegionViews();
|
||||||
shell_->NotifyWindowResize();
|
shell_->NotifyWindowResize();
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -257,43 +259,23 @@ bool ScopedDisableResize::disable_resize_ = false;
|
||||||
|
|
||||||
@end
|
@end
|
||||||
|
|
||||||
@interface ControlRegionView : NSView {
|
@interface ControlRegionView : NSView
|
||||||
@private
|
|
||||||
atom::NativeWindowMac* shellWindow_; // Weak; owns self.
|
|
||||||
}
|
|
||||||
@end
|
@end
|
||||||
|
|
||||||
@implementation ControlRegionView
|
@implementation ControlRegionView
|
||||||
|
|
||||||
- (id)initWithShellWindow:(atom::NativeWindowMac*)shellWindow {
|
|
||||||
if ((self = [super init]))
|
|
||||||
shellWindow_ = shellWindow;
|
|
||||||
return self;
|
|
||||||
}
|
|
||||||
|
|
||||||
- (BOOL)mouseDownCanMoveWindow {
|
- (BOOL)mouseDownCanMoveWindow {
|
||||||
return NO;
|
return NO;
|
||||||
}
|
}
|
||||||
|
|
||||||
- (NSView*)hitTest:(NSPoint)aPoint {
|
- (NSView*)hitTest:(NSPoint)aPoint {
|
||||||
if (!shellWindow_->IsWithinDraggableRegion(aPoint)) {
|
return nil;
|
||||||
return nil;
|
|
||||||
}
|
|
||||||
return self;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
- (void)mouseDown:(NSEvent*)event {
|
@end
|
||||||
shellWindow_->HandleMouseEvent(event);
|
|
||||||
}
|
|
||||||
|
|
||||||
- (void)mouseDragged:(NSEvent*)event {
|
|
||||||
shellWindow_->HandleMouseEvent(event);
|
|
||||||
}
|
|
||||||
|
|
||||||
- (BOOL)acceptsFirstMouse:(NSEvent*)event {
|
|
||||||
return YES;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
@interface NSView (WebContentsView)
|
||||||
|
- (void)setMouseDownCanMoveWindow:(BOOL)can_move;
|
||||||
@end
|
@end
|
||||||
|
|
||||||
@interface AtomProgressBar : NSProgressIndicator
|
@interface AtomProgressBar : NSProgressIndicator
|
||||||
|
@ -439,11 +421,6 @@ NativeWindowMac::NativeWindowMac(
|
||||||
[view setAutoresizingMask:NSViewWidthSizable | NSViewHeightSizable];
|
[view setAutoresizingMask:NSViewWidthSizable | NSViewHeightSizable];
|
||||||
|
|
||||||
InstallView();
|
InstallView();
|
||||||
|
|
||||||
// Install the DraggableRegionView if it is forced to use draggable regions
|
|
||||||
// for normal window.
|
|
||||||
if (has_frame() && force_using_draggable_region())
|
|
||||||
InstallDraggableRegionView();
|
|
||||||
}
|
}
|
||||||
|
|
||||||
NativeWindowMac::~NativeWindowMac() {
|
NativeWindowMac::~NativeWindowMac() {
|
||||||
|
@ -746,36 +723,6 @@ bool NativeWindowMac::IsVisibleOnAllWorkspaces() {
|
||||||
return collectionBehavior & NSWindowCollectionBehaviorCanJoinAllSpaces;
|
return collectionBehavior & NSWindowCollectionBehaviorCanJoinAllSpaces;
|
||||||
}
|
}
|
||||||
|
|
||||||
bool NativeWindowMac::IsWithinDraggableRegion(NSPoint point) const {
|
|
||||||
if (!draggable_region())
|
|
||||||
return false;
|
|
||||||
if (!web_contents())
|
|
||||||
return false;
|
|
||||||
NSView* webView = web_contents()->GetNativeView();
|
|
||||||
NSInteger webViewHeight = NSHeight([webView bounds]);
|
|
||||||
// |draggable_region_| is stored in local platform-indepdent coordiate system
|
|
||||||
// while |point| is in local Cocoa coordinate system. Do the conversion
|
|
||||||
// to match these two.
|
|
||||||
return draggable_region()->contains(point.x, webViewHeight - point.y);
|
|
||||||
}
|
|
||||||
|
|
||||||
void NativeWindowMac::HandleMouseEvent(NSEvent* event) {
|
|
||||||
NSPoint eventLoc = [event locationInWindow];
|
|
||||||
NSRect mouseRect = [window_ convertRectToScreen:NSMakeRect(eventLoc.x, eventLoc.y, 0, 0)];
|
|
||||||
NSPoint current_mouse_location = mouseRect.origin;
|
|
||||||
|
|
||||||
if ([event type] == NSLeftMouseDown) {
|
|
||||||
NSPoint frame_origin = [window_ frame].origin;
|
|
||||||
last_mouse_offset_ = NSMakePoint(
|
|
||||||
frame_origin.x - current_mouse_location.x,
|
|
||||||
frame_origin.y - current_mouse_location.y);
|
|
||||||
} else if ([event type] == NSLeftMouseDragged) {
|
|
||||||
[window_ setFrameOrigin:NSMakePoint(
|
|
||||||
current_mouse_location.x + last_mouse_offset_.x,
|
|
||||||
current_mouse_location.y + last_mouse_offset_.y)];
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
void NativeWindowMac::HandleKeyboardEvent(
|
void NativeWindowMac::HandleKeyboardEvent(
|
||||||
content::WebContents*,
|
content::WebContents*,
|
||||||
const content::NativeWebKeyboardEvent& event) {
|
const content::NativeWebKeyboardEvent& event) {
|
||||||
|
@ -800,6 +747,23 @@ void NativeWindowMac::HandleKeyboardEvent(
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
std::vector<gfx::Rect> NativeWindowMac::CalculateNonDraggableRegions(
|
||||||
|
const std::vector<DraggableRegion>& regions, int width, int height) {
|
||||||
|
std::vector<gfx::Rect> result;
|
||||||
|
if (regions.empty()) {
|
||||||
|
result.push_back(gfx::Rect(0, 0, width, height));
|
||||||
|
} else {
|
||||||
|
scoped_ptr<SkRegion> draggable(DraggableRegionsToSkRegion(regions));
|
||||||
|
scoped_ptr<SkRegion> non_draggable(new SkRegion);
|
||||||
|
non_draggable->op(0, 0, width, height, SkRegion::kUnion_Op);
|
||||||
|
non_draggable->op(*draggable, SkRegion::kDifference_Op);
|
||||||
|
for (SkRegion::Iterator it(*non_draggable); !it.done(); it.next()) {
|
||||||
|
result.push_back(gfx::SkIRectToRect(it.rect()));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return result;
|
||||||
|
}
|
||||||
|
|
||||||
gfx::Size NativeWindowMac::ContentSizeToWindowSize(const gfx::Size& size) {
|
gfx::Size NativeWindowMac::ContentSizeToWindowSize(const gfx::Size& size) {
|
||||||
if (!has_frame())
|
if (!has_frame())
|
||||||
return size;
|
return size;
|
||||||
|
@ -818,6 +782,13 @@ gfx::Size NativeWindowMac::WindowSizeToContentSize(const gfx::Size& size) {
|
||||||
return gfx::Size(content.size);
|
return gfx::Size(content.size);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
void NativeWindowMac::UpdateDraggableRegions(
|
||||||
|
const std::vector<DraggableRegion>& regions) {
|
||||||
|
NativeWindow::UpdateDraggableRegions(regions);
|
||||||
|
draggable_regions_ = regions;
|
||||||
|
UpdateDraggableRegionViews(regions);
|
||||||
|
}
|
||||||
|
|
||||||
void NativeWindowMac::InstallView() {
|
void NativeWindowMac::InstallView() {
|
||||||
// Make sure the bottom corner is rounded: http://crbug.com/396264.
|
// Make sure the bottom corner is rounded: http://crbug.com/396264.
|
||||||
[[window_ contentView] setWantsLayer:YES];
|
[[window_ contentView] setWantsLayer:YES];
|
||||||
|
@ -840,8 +811,6 @@ void NativeWindowMac::InstallView() {
|
||||||
[view setFrame:[content_view_ bounds]];
|
[view setFrame:[content_view_ bounds]];
|
||||||
[content_view_ addSubview:view];
|
[content_view_ addSubview:view];
|
||||||
|
|
||||||
InstallDraggableRegionView();
|
|
||||||
|
|
||||||
[[window_ standardWindowButton:NSWindowZoomButton] setHidden:YES];
|
[[window_ standardWindowButton:NSWindowZoomButton] setHidden:YES];
|
||||||
[[window_ standardWindowButton:NSWindowMiniaturizeButton] setHidden:YES];
|
[[window_ standardWindowButton:NSWindowMiniaturizeButton] setHidden:YES];
|
||||||
[[window_ standardWindowButton:NSWindowCloseButton] setHidden:YES];
|
[[window_ standardWindowButton:NSWindowCloseButton] setHidden:YES];
|
||||||
|
@ -858,14 +827,55 @@ void NativeWindowMac::UninstallView() {
|
||||||
[view removeFromSuperview];
|
[view removeFromSuperview];
|
||||||
}
|
}
|
||||||
|
|
||||||
void NativeWindowMac::InstallDraggableRegionView() {
|
void NativeWindowMac::UpdateDraggableRegionViews(
|
||||||
|
const std::vector<DraggableRegion>& regions) {
|
||||||
|
if (has_frame() && !force_using_draggable_region())
|
||||||
|
return;
|
||||||
|
|
||||||
|
// All ControlRegionViews should be added as children of the WebContentsView,
|
||||||
|
// because WebContentsView will be removed and re-added when entering and
|
||||||
|
// leaving fullscreen mode.
|
||||||
NSView* webView = web_contents()->GetNativeView();
|
NSView* webView = web_contents()->GetNativeView();
|
||||||
base::scoped_nsobject<NSView> controlRegion(
|
NSInteger webViewWidth = NSWidth([webView bounds]);
|
||||||
[[ControlRegionView alloc] initWithShellWindow:this]);
|
NSInteger webViewHeight = NSHeight([webView bounds]);
|
||||||
[controlRegion setFrame:NSMakeRect(0, 0,
|
|
||||||
NSWidth([webView bounds]),
|
[webView setMouseDownCanMoveWindow:YES];
|
||||||
NSHeight([webView bounds]))];
|
|
||||||
[webView addSubview:controlRegion];
|
// Remove all ControlRegionViews that are added last time.
|
||||||
|
// Note that [webView subviews] returns the view's mutable internal array and
|
||||||
|
// it should be copied to avoid mutating the original array while enumerating
|
||||||
|
// it.
|
||||||
|
base::scoped_nsobject<NSArray> subviews([[webView subviews] copy]);
|
||||||
|
for (NSView* subview in subviews.get())
|
||||||
|
if ([subview isKindOfClass:[ControlRegionView class]])
|
||||||
|
[subview removeFromSuperview];
|
||||||
|
|
||||||
|
// Draggable regions is implemented by having the whole web view draggable
|
||||||
|
// (mouseDownCanMoveWindow) and overlaying regions that are not draggable.
|
||||||
|
std::vector<gfx::Rect> system_drag_exclude_areas =
|
||||||
|
CalculateNonDraggableRegions(regions, webViewWidth, webViewHeight);
|
||||||
|
|
||||||
|
// Create and add a ControlRegionView for each region that needs to be
|
||||||
|
// excluded from the dragging.
|
||||||
|
for (std::vector<gfx::Rect>::const_iterator iter =
|
||||||
|
system_drag_exclude_areas.begin();
|
||||||
|
iter != system_drag_exclude_areas.end();
|
||||||
|
++iter) {
|
||||||
|
base::scoped_nsobject<NSView> controlRegion(
|
||||||
|
[[ControlRegionView alloc] initWithFrame:NSZeroRect]);
|
||||||
|
[controlRegion setFrame:NSMakeRect(iter->x(),
|
||||||
|
webViewHeight - iter->bottom(),
|
||||||
|
iter->width(),
|
||||||
|
iter->height())];
|
||||||
|
[webView addSubview:controlRegion];
|
||||||
|
}
|
||||||
|
|
||||||
|
// AppKit will not update its cache of mouseDownCanMoveWindow unless something
|
||||||
|
// changes. Previously we tried adding an NSView and removing it, but for some
|
||||||
|
// reason it required reposting the mouse-down event, and didn't always work.
|
||||||
|
// Calling the below seems to be an effective solution.
|
||||||
|
[window_ setMovableByWindowBackground:NO];
|
||||||
|
[window_ setMovableByWindowBackground:YES];
|
||||||
}
|
}
|
||||||
|
|
||||||
// static
|
// static
|
||||||
|
|
|
@ -1,8 +1,8 @@
|
||||||
## Guías
|
## Guías
|
||||||
|
|
||||||
* [Platfaformas Soportadas](tutorial/supported-platforms.md)
|
* [Plataformas Soportadas](tutorial/supported-platforms.md)
|
||||||
* [Distribución de la Aplicacion](tutorial/application-distribution.md)
|
* [Distribución de la Aplicación](tutorial/application-distribution.md)
|
||||||
* [Empaquetamiento de la Aplicacion](tutorial/application-packaging.md)
|
* [Empaquetamiento de la Aplicación](tutorial/application-packaging.md)
|
||||||
* [Utilizando Módulos Node Nativos](tutorial/using-native-node-modules.md)
|
* [Utilizando Módulos Node Nativos](tutorial/using-native-node-modules.md)
|
||||||
* [Depurando el Proceso Principal](tutorial/debugging-main-process.md)
|
* [Depurando el Proceso Principal](tutorial/debugging-main-process.md)
|
||||||
* [Utilizando Selenium y WebDriver](tutorial/using-selenium-and-webdriver.md)
|
* [Utilizando Selenium y WebDriver](tutorial/using-selenium-and-webdriver.md)
|
||||||
|
|
|
@ -1,9 +1,9 @@
|
||||||
# Parámetros CLI soportados (Chrome)
|
# Parámetros CLI soportados (Chrome)
|
||||||
|
|
||||||
Esta página lista las líneas de comandos usadas por el navegador Chrome que también son
|
Esta página lista las líneas de comandos usadas por el navegador Chrome que también son
|
||||||
soportadas por Electron. Puedes usar [app.commandLine.appendSwitch][append-switch] para
|
soportadas por Electron. Puedes usar [app.commandLine.appendSwitch][append-switch] para
|
||||||
anexarlas en el script principal de tu aplicación antes de que el evento [ready][ready] del
|
anexarlas en el script principal de tu aplicación antes de que el evento [ready][ready] del
|
||||||
modulo [app][app] sea emitido:
|
módulo [app][app] sea emitido:
|
||||||
|
|
||||||
```javascript
|
```javascript
|
||||||
var app = require('app');
|
var app = require('app');
|
||||||
|
@ -25,7 +25,7 @@ Ignora el límite de conexiones para la lista de `domains` separados por `,`.
|
||||||
|
|
||||||
## --disable-http-cache
|
## --disable-http-cache
|
||||||
|
|
||||||
Deshabilita la cacheé del disco para las peticiones HTTP.
|
Deshabilita la caché del disco para las peticiones HTTP.
|
||||||
|
|
||||||
## --remote-debugging-port=`port`
|
## --remote-debugging-port=`port`
|
||||||
|
|
||||||
|
@ -42,7 +42,7 @@ Utiliza el script PAC en la `url` especificada.
|
||||||
|
|
||||||
## --no-proxy-server
|
## --no-proxy-server
|
||||||
|
|
||||||
No usa un servidor proxy y siempre establece conexiones directas. Anula cualquier
|
No usa un servidor proxy y siempre establece conexiones directas. Anula cualquier
|
||||||
otra bandera de servidor proxy bandera que se pase.
|
otra bandera de servidor proxy bandera que se pase.
|
||||||
|
|
||||||
## --host-rules=`rules`
|
## --host-rules=`rules`
|
||||||
|
@ -55,12 +55,12 @@ Por ejemplo:
|
||||||
* `MAP * 127.0.0.1` Obliga a todos los nombres de host a ser asignados a 127.0.0.1
|
* `MAP * 127.0.0.1` Obliga a todos los nombres de host a ser asignados a 127.0.0.1
|
||||||
* `MAP *.google.com proxy` Obliga todos los subdominios google.com a resolverse con
|
* `MAP *.google.com proxy` Obliga todos los subdominios google.com a resolverse con
|
||||||
"proxy".
|
"proxy".
|
||||||
* `MAP test.com [::1]:77` Obliga a resolver "test.com" con un bucle invertido de IPv6.
|
* `MAP test.com [::1]:77` Obliga a resolver "test.com" con un bucle invertido de IPv6.
|
||||||
También obligará a que el puerto de la dirección respuesta sea 77.
|
También obligará a que el puerto de la dirección respuesta sea 77.
|
||||||
* `MAP * baz, EXCLUDE www.google.com` Reasigna todo a "baz", excepto a "www.google.com".
|
* `MAP * baz, EXCLUDE www.google.com` Reasigna todo a "baz", excepto a "www.google.com".
|
||||||
|
|
||||||
Estas asignaciones especifican el host final en una petición de red (Anfitrión de la conexión TCP
|
Estas asignaciones especifican el host final en una petición de red (Anfitrión de la conexión TCP
|
||||||
y de resolución de conexión directa, y el `CONNECT` en una conexión proxy HTTP, y el host final de
|
y de resolución de conexión directa, y el `CONNECT` en una conexión proxy HTTP, y el host final de
|
||||||
la conexión proxy `SOCKS`).
|
la conexión proxy `SOCKS`).
|
||||||
|
|
||||||
## --host-resolver-rules=`rules`
|
## --host-resolver-rules=`rules`
|
||||||
|
@ -89,30 +89,30 @@ Permite guardar y escribir eventos de registros de red en `path`.
|
||||||
|
|
||||||
## --ssl-version-fallback-min=`version`
|
## --ssl-version-fallback-min=`version`
|
||||||
|
|
||||||
Establece la versión mínima de SSL/TLS ("tls1", "tls1.1" o "tls1.2") que
|
Establece la versión mínima de SSL/TLS ("tls1", "tls1.1" o "tls1.2") que
|
||||||
el repliegue de TLC aceptará.
|
el repliegue de TLC aceptará.
|
||||||
|
|
||||||
## --enable-logging
|
## --enable-logging
|
||||||
|
|
||||||
Imprime el registro de Chromium en consola.
|
Imprime el registro de Chromium en consola.
|
||||||
|
|
||||||
Este cambio no puede ser usado en `app.commandLine.appendSwitch` ya que se analiza antes de que la
|
Este cambio no puede ser usado en `app.commandLine.appendSwitch` ya que se analiza antes de que la
|
||||||
aplicación del usuario este cargada.
|
aplicación del usuario esté cargada.
|
||||||
|
|
||||||
## --v=`log_level`
|
## --v=`log_level`
|
||||||
|
|
||||||
Da el maximo nivel activo de V-logging por defecto; 0 es el predeterminado. Valores positivos
|
Da el máximo nivel activo de V-logging por defecto; 0 es el predeterminado. Valores positivos
|
||||||
son normalmente usados para los niveles de V-logging.
|
son normalmente usados para los niveles de V-logging.
|
||||||
|
|
||||||
Este modificador sólo funciona cuando también se pasa `--enable-logging`.
|
Este modificador sólo funciona cuando también se pasa `--enable-logging`.
|
||||||
|
|
||||||
## --vmodule=`pattern`
|
## --vmodule=`pattern`
|
||||||
|
|
||||||
Da los niveles máximos de V-logging por módulo para sobreescribir el valor dado por
|
Da los niveles máximos de V-logging por módulo para sobreescribir el valor dado por
|
||||||
`--v`. Ej. `my_module=2,foo*=3` cambiaria el nivel de registro para todo el código
|
`--v`. Ej. `my_module=2,foo*=3` cambiaría el nivel de registro para todo el código,
|
||||||
el archivos de origen `my_module.*` y `foo*.*`.
|
los archivos de origen `my_module.*` y `foo*.*`.
|
||||||
|
|
||||||
Cualquier patron que contiene un slash o un slash invertido será probado contra toda la ruta
|
Cualquier patrón que contiene un slash o un slash invertido será probado contra toda la ruta
|
||||||
y no sólo con el módulo. Ej. `*/foo/bar/*=2` cambiaría el nivel de registro para todo el código
|
y no sólo con el módulo. Ej. `*/foo/bar/*=2` cambiaría el nivel de registro para todo el código
|
||||||
en los archivos origen bajo un directorio `foo/bar`.
|
en los archivos origen bajo un directorio `foo/bar`.
|
||||||
|
|
||||||
|
|
|
@ -1,7 +1,7 @@
|
||||||
# process
|
# process
|
||||||
|
|
||||||
El objeto `process` en Electron tiene las siguientes diferencias con respecto
|
El objeto `process` en Electron tiene las siguientes diferencias con respecto
|
||||||
al node convencional:
|
al node convencional:
|
||||||
|
|
||||||
* `process.type` String - El tipo del proceso puede ser `browser` (ej. proceso
|
* `process.type` String - El tipo del proceso puede ser `browser` (ej. proceso
|
||||||
principal) o `renderer`.
|
principal) o `renderer`.
|
||||||
|
@ -16,7 +16,7 @@ al node convencional:
|
||||||
Se emite cuando Electron ha cargado su script de inicialización interna y
|
Se emite cuando Electron ha cargado su script de inicialización interna y
|
||||||
está comenzando a cargar la página web o el script principal.
|
está comenzando a cargar la página web o el script principal.
|
||||||
|
|
||||||
Puede ser usado por el script precargado para añadir de nuevo los símbolos globales
|
Puede ser usado por el script precargado para añadir de nuevo los símbolos globales
|
||||||
de Node eliminados, al alcance global cuando la integración de Node está apagada:
|
de Node eliminados, al alcance global cuando la integración de Node está apagada:
|
||||||
|
|
||||||
```js
|
```js
|
||||||
|
@ -43,5 +43,5 @@ Interrumpe el hilo principal del proceso actual.
|
||||||
* `maxDescriptors` Integer
|
* `maxDescriptors` Integer
|
||||||
|
|
||||||
Establece el límite dinámico del descriptor del archivo en `maxDescriptors`
|
Establece el límite dinámico del descriptor del archivo en `maxDescriptors`
|
||||||
o en el límite estricto del Sistema Operativo, el que sea menor para el
|
o en el límite estricto del Sistema Operativo, el que sea menor para el
|
||||||
proceso actual.
|
proceso actual.
|
||||||
|
|
|
@ -4,14 +4,14 @@ Todos los [Módulos integrados de Node.js](http://nodejs.org/api/) se encuentran
|
||||||
disponibles en Electron y módulos de terceros son támbien totalmente compatibles
|
disponibles en Electron y módulos de terceros son támbien totalmente compatibles
|
||||||
(incluyendo los [módulos nativos](../tutorial/using-native-node-modules.md)).
|
(incluyendo los [módulos nativos](../tutorial/using-native-node-modules.md)).
|
||||||
|
|
||||||
Electron también provee algunos módulos integrados adicionales para desarrollar
|
Electron también provee algunos módulos integrados adicionales para desarrollar
|
||||||
aplicaciones nativas de escritorio. Algunos módulos sólo se encuentran disponibles
|
aplicaciones nativas de escritorio. Algunos módulos sólo se encuentran disponibles
|
||||||
en el proceso principal, algunos sólo en el proceso renderer (pagina web), y
|
en el proceso principal, algunos sólo en el proceso renderer (página web), y
|
||||||
algunos pueden ser usados en ambos procesos.
|
algunos pueden ser usados en ambos procesos.
|
||||||
|
|
||||||
La regla básica es: Si un módulo es
|
La regla básica es: Si un módulo es
|
||||||
[GUI](https://es.wikipedia.org/wiki/Interfaz_gráfica_de_usuario) o de bajo nivel,
|
[GUI](https://es.wikipedia.org/wiki/Interfaz_gráfica_de_usuario) o de bajo nivel,
|
||||||
entonces solo estará disponible en el proceso principal. Necesitas familiarizarte
|
entonces solo estará disponible en el proceso principal. Necesitas familiarizarte
|
||||||
con el concepto de [scripts para proceso principal vs scripts para proceso renderer]
|
con el concepto de [scripts para proceso principal vs scripts para proceso renderer]
|
||||||
(../tutorial/quick-start.md#the-main-process) para ser capaz de usar esos módulos.
|
(../tutorial/quick-start.md#the-main-process) para ser capaz de usar esos módulos.
|
||||||
|
|
||||||
|
@ -29,7 +29,7 @@ app.on('ready', function() {
|
||||||
});
|
});
|
||||||
```
|
```
|
||||||
|
|
||||||
El proceso renderer no es diferente de una página web normal, excepto por la
|
El proceso renderer no es diferente de una página web normal, excepto por la
|
||||||
capacidad extra de utilizar módulos de node:
|
capacidad extra de utilizar módulos de node:
|
||||||
|
|
||||||
```html
|
```html
|
||||||
|
@ -44,4 +44,4 @@ capacidad extra de utilizar módulos de node:
|
||||||
</html>
|
</html>
|
||||||
```
|
```
|
||||||
|
|
||||||
Para ejecutar tu aplicación, lee [Ejecutar la aplicación](../tutorial/quick-start.md#run-your-app).
|
Para ejecutar tu aplicación, lee [Ejecutar la aplicación](../tutorial/quick-start.md#run-your-app).
|
||||||
|
|
|
@ -15,7 +15,7 @@ Estas son las maneras en las que construimos la documentación de Electron.
|
||||||
- Archivos separados por guiones, mas sin embargo, es correcto.
|
- Archivos separados por guiones, mas sin embargo, es correcto.
|
||||||
- No subtítulos seguidos por otros subtítulos, añadir por lo menos un enunciado
|
- No subtítulos seguidos por otros subtítulos, añadir por lo menos un enunciado
|
||||||
de descripción.
|
de descripción.
|
||||||
- Métodos de cabecera son delimitados con apóstrofes: `codigo`.
|
- Métodos de cabecera son delimitados con apóstrofes: `código`.
|
||||||
- Cabeceras de Eventos son delimitados con 'comillas' simples.
|
- Cabeceras de Eventos son delimitados con 'comillas' simples.
|
||||||
- No generar listas de mas de dos niveles (debido al renderizador de Markdown
|
- No generar listas de mas de dos niveles (debido al renderizador de Markdown
|
||||||
desafortunadamente).
|
desafortunadamente).
|
||||||
|
@ -25,7 +25,7 @@ Estas son las maneras en las que construimos la documentación de Electron.
|
||||||
- Argumentos opcionales escritos como `function (required[, optional])`.
|
- Argumentos opcionales escritos como `function (required[, optional])`.
|
||||||
- Argumentos opcionales son denotados cuando se llaman en listas.
|
- Argumentos opcionales son denotados cuando se llaman en listas.
|
||||||
- Delimitador de línea de 80-columnas.
|
- Delimitador de línea de 80-columnas.
|
||||||
- Métodos específicos de Plataformas son denotados en italicas seguidas por la cabecera del método.
|
- Métodos específicos de Plataformas son denotados en itálicas seguidas por la cabecera del método.
|
||||||
- ```### `method(foo, bar)` _OS X_```
|
- ```### `method(foo, bar)` _OS X_```
|
||||||
- Preferir 'en el ___ proceso' en lugar de 'sobre el'
|
- Preferir 'en el ___ proceso' en lugar de 'sobre el'
|
||||||
|
|
||||||
|
@ -47,7 +47,7 @@ Para agregar otro set (o un set parcial):
|
||||||
|
|
||||||
## Leyendo la Documentación de Electron
|
## Leyendo la Documentación de Electron
|
||||||
|
|
||||||
Estos son algunos consejos para entender la syntaxis de la documentación de
|
Estos son algunos consejos para entender la sintaxis de la documentación de
|
||||||
Electron.
|
Electron.
|
||||||
|
|
||||||
### Métodos
|
### Métodos
|
||||||
|
@ -67,7 +67,7 @@ El nombre del método es seguido por los argumentos que recibe. Argumentos
|
||||||
opcionales son denotados por corchetes rodeados por el argumento opcional y la
|
opcionales son denotados por corchetes rodeados por el argumento opcional y la
|
||||||
coma requerida si el argumento opcional fuera seguido por otro argumento.
|
coma requerida si el argumento opcional fuera seguido por otro argumento.
|
||||||
|
|
||||||
Debajo del método se encuentra mas información detallada de cada uno de los
|
Debajo del método se encuentra más información detallada de cada uno de los
|
||||||
argumentos. El tipo de argumento es denotado por los tipos comúnes:
|
argumentos. El tipo de argumento es denotado por los tipos comúnes:
|
||||||
[`String`](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/String),
|
[`String`](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/String),
|
||||||
[`Number`](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Number),
|
[`Number`](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Number),
|
||||||
|
@ -90,7 +90,7 @@ Returns:
|
||||||
---
|
---
|
||||||
|
|
||||||
El evento es una cadena que es utilizada luego de un método observador `.on`. Si
|
El evento es una cadena que es utilizada luego de un método observador `.on`. Si
|
||||||
regresa un valor, el y su tipo son denotados abajo. Si se estaba a la escucha y
|
regresa un valor, él y su tipo son denotados abajo. Si se estaba a la escucha y
|
||||||
respondió a este evento se debería ver así:
|
respondió a este evento se debería ver así:
|
||||||
|
|
||||||
```javascript
|
```javascript
|
||||||
|
|
|
@ -169,7 +169,7 @@ The `app` object has the following methods:
|
||||||
|
|
||||||
### `app.quit()`
|
### `app.quit()`
|
||||||
|
|
||||||
Try to close all windows. The `before-quit` event will emitted first. If all
|
Try to close all windows. The `before-quit` event will be emitted first. If all
|
||||||
windows are successfully closed, the `will-quit` event will be emitted and by
|
windows are successfully closed, the `will-quit` event will be emitted and by
|
||||||
default the application will terminate.
|
default the application will terminate.
|
||||||
|
|
||||||
|
@ -213,7 +213,7 @@ created by this method. On failure an `Error` is thrown.
|
||||||
|
|
||||||
You can only override paths of a `name` defined in `app.getPath`.
|
You can only override paths of a `name` defined in `app.getPath`.
|
||||||
|
|
||||||
By default, web pages's cookies and caches will be stored under the `userData`
|
By default, web pages' cookies and caches will be stored under the `userData`
|
||||||
directory. If you want to change this location, you have to override the
|
directory. If you want to change this location, you have to override the
|
||||||
`userData` path before the `ready` event of the `app` module is emitted.
|
`userData` path before the `ready` event of the `app` module is emitted.
|
||||||
|
|
||||||
|
@ -264,7 +264,7 @@ Clears the recent documents list.
|
||||||
|
|
||||||
Adds `tasks` to the [Tasks][tasks] category of the JumpList on Windows.
|
Adds `tasks` to the [Tasks][tasks] category of the JumpList on Windows.
|
||||||
|
|
||||||
`tasks` is an array of `Task` objects in following format:
|
`tasks` is an array of `Task` objects in the following format:
|
||||||
|
|
||||||
`Task` Object
|
`Task` Object
|
||||||
* `program` String - Path of the program to execute, usually you should
|
* `program` String - Path of the program to execute, usually you should
|
||||||
|
@ -285,7 +285,10 @@ Adds `tasks` to the [Tasks][tasks] category of the JumpList on Windows.
|
||||||
* `allow` Boolean
|
* `allow` Boolean
|
||||||
|
|
||||||
Dynamically sets whether to always send credentials for HTTP NTLM or Negotiate
|
Dynamically sets whether to always send credentials for HTTP NTLM or Negotiate
|
||||||
authentication.
|
authentication - normally, Electron will only send NTLM/Kerberos credentials for
|
||||||
|
URLs that fall under "Local Intranet" sites (i.e. are in the same domain as you).
|
||||||
|
However, this detection often fails when corporate networks are badly configured,
|
||||||
|
so this lets you co-opt this behavior and enable it for all URLs.
|
||||||
|
|
||||||
### `app.commandLine.appendSwitch(switch[, value])`
|
### `app.commandLine.appendSwitch(switch[, value])`
|
||||||
|
|
||||||
|
|
|
@ -107,7 +107,7 @@ app.on('ready', function() {
|
||||||
mainWindow.loadUrl('file://' + __dirname + '/index.html');
|
mainWindow.loadUrl('file://' + __dirname + '/index.html');
|
||||||
|
|
||||||
// Open the DevTools.
|
// Open the DevTools.
|
||||||
mainWindow.openDevTools();
|
mainWindow.webContents.openDevTools();
|
||||||
|
|
||||||
// Emitted when the window is closed.
|
// Emitted when the window is closed.
|
||||||
mainWindow.on('closed', function() {
|
mainWindow.on('closed', function() {
|
||||||
|
|
2
vendor/brightray
vendored
2
vendor/brightray
vendored
|
@ -1 +1 @@
|
||||||
Subproject commit f1cbfd1d457f9b40bca23a2f30948a093d6048a9
|
Subproject commit 49a86c123f4cc43f4dca886ded612104a8a1fec6
|
2
vendor/node
vendored
2
vendor/node
vendored
|
@ -1 +1 @@
|
||||||
Subproject commit f4243f5c84a371632d8d72a1a2210a0e994afdcc
|
Subproject commit edfbc29d09425f2f387c52d77f6351b6ce101659
|
Loading…
Reference in a new issue