在Javascript代码中,我想以编程方式使浏览器关注我页面上的链接。简单案例:
<a id="foo" href="mailto:somebody@example.com">something</a>
function goToBar() {
$('#foo').trigger('follow');
}
这是假设的,因为它实际上并不起作用。不,触发click
不会这样做。
我知道window.location
和window.open
但这些与本地链接跟踪有所不同,在某些方面对我来说很重要:a)存在<base />
元素,和b )在mailto
个网址的情况下。后者尤其重要。至少在Firefox中,调用window.location.href = "mailto:somebody@example.com"
会导致窗口的unload
处理程序触发,而根据我的判断,只需单击mailto
链接就不会。
我正在寻找一种方法来触发浏览器对Javascript代码的链接的默认处理。
这种机制存在吗?工具包特定的答案也欢迎(特别是对于Gecko)。
答案 0 :(得分:22)
据我所知,window.location完全符合您的要求,触发浏览器的默认链接点击行为。
有些浏览器会在触发任何事件或更改实际href之前注意协议。
window.location = "mailto:somebody@example.com";
尝试下面提到的小提琴演示我得到以下结果:
onbeforeunload
onbeforeunload
onbeforeunload
因此,阻止unload
事件被触发的好方法是在beforeunload
中返回false。
答案 1 :(得分:3)
方法1 点击方法
HTMLElement
有方法click()
https://developer.mozilla.org/en/DOM/element.click
function goToBar() {
document.getElementById('foo').click();
}
方法2 解雇合成事件
我想知道为什么saluce删除了他的答案。这个解决方案就是我过去使用的(当点击是IE唯一的东西时)。也就是说,触发合成浏览器事件(不是像jQuery的click()
那样的假事件)。让我用这个想法发布一个解决方案......
DEMO:http://jsfiddle.net/eyS6x/3/
/**
* Fire an event handler to the specified node. Event handlers can detect that the event was fired programatically
* by testing for a 'synthetic=true' property on the event object
* @param {HTMLNode} node The node to fire the event handler on.
* @param {String} eventName The name of the event without the "on" (e.g., "focus")
*/
function fireEvent(node, eventName) {
// Make sure we use the ownerDocument from the provided node to avoid cross-window problems
var doc;
if (node.ownerDocument) {
doc = node.ownerDocument;
} else if (node.nodeType == 9 /** DOCUMENT_NODE */){
// the node may be the document itself
doc = node;
} else {
throw new Error("Invalid node passed to fireEvent: " + +node.tagName + "#" + node.id);
}
if (node.fireEvent) {
// IE-style
var event = doc.createEventObject();
event.synthetic = true; // allow detection of synthetic events
node.fireEvent("on" + eventName, event);
} else if (node.dispatchEvent) {
// Gecko-style approach is much more difficult.
var eventClass = "";
// Different events have different event classes.
// If this switch statement can't map an eventName to an eventClass,
// the event firing is going to fail.
switch (eventName) {
case "click":
case "mousedown":
case "mouseup":
eventClass = "MouseEvents";
break;
case "focus":
case "change":
case "blur":
case "select":
eventClass = "HTMLEvents";
break;
default:
throw "JSUtil.fireEvent: Couldn't find an event class for event '" + eventName + "'.";
break;
}
var event = doc.createEvent(eventClass);
var bubbles = eventName == "change" ? false : true;
event.initEvent(eventName, bubbles, true); // All events created as bubbling and cancelable.
event.synthetic = true; // allow detection of synthetic events
node.dispatchEvent(event);
}
};
document.getElementById('button').onclick = function() {
fireEvent( document.getElementById('link'), 'click');
}