Javascript Code In Iframe
Solution 1:
The IFrame has no access to what's outside of it. Everything inside IFrame is separate page ergo you threat it like so. So you do your document.ready in it.
Example: http://jsfiddle.net/ZTJUB/
// Since this is page you wait until it's loaded
$(function() {
$(".test").click(function() {
alert(true);
});
});
Solution 2:
The jQuery instance inside of the iFrame doesn't know it's supposed to be traversing the parent DOM, so therefore it won't know where to look for an element with the id "preview"
As per my comments above, you should attach to the iframe's document.ready, like this:
// Since this is page you wait until it's loaded
$(document).ready(function() {
$(".test").click(function() {
alert(true);
});
});
EDIT: Just realizing you are probably having an entirely different issue here - Html code as IFRAME source rather than a URL - if you are trying to embed the iframe code inline, you are going to have problems. Take the following code for example:
<html><head></head><body>
Some stuff here
<iframeid="preview"><html><head><scriptsrc="http://code.jquery.com/jquery-latest.min.js"></script><scriptid="us"type="text/javascript">
$(document).ready(function() {
$(".test").click(function() {
alert(true);
});
});
</script></head><body><style></style><divclass="test">test</div></body></html></iframe></body></html>
if you render that page in firefox, and then inspect the source in firebug, you'll see:
<html><head></head><body>
Some stuff here
<iframeid="preview"><html><head></head><body></body></html></iframe></body></html>
This is happening because the browser isn't expecting to see the code inline between the iframe tags.
Solution 3:
Since you're not addressing the questions in the comments to better clarify what you are trying to do... I shall assume you are trying to access content IN your iframe FROM your parent page. Since the other answer should work fine if trying to run it from within the iframe.
On the parent page try something like:
$(function() {
$("#preview").load(function ()
$("#preview").contents().find(".test").click(function() {alert(true);});
});
});
*This assumes both parent and iframe are on the same domain.
Post a Comment for "Javascript Code In Iframe"