<?xml version="1.0" encoding="UTF-8"?><rss version="2.0"
	xmlns:content="http://purl.org/rss/1.0/modules/content/"
	xmlns:wfw="http://wellformedweb.org/CommentAPI/"
	xmlns:dc="http://purl.org/dc/elements/1.1/"
	xmlns:atom="http://www.w3.org/2005/Atom"
	xmlns:sy="http://purl.org/rss/1.0/modules/syndication/"
	xmlns:slash="http://purl.org/rss/1.0/modules/slash/"
	>

<channel>
	<title>Rommel Santor&#039;s Clog &#187; script</title>
	<atom:link href="https://rommelsantor.com/clog/tag/script/feed/" rel="self" type="application/rss+xml" />
	<link>https://rommelsantor.com/clog</link>
	<description>my exploits and misadventures in programming</description>
	<lastBuildDate>Thu, 04 Feb 2016 12:56:01 +0000</lastBuildDate>
	<language>en-US</language>
		<sy:updatePeriod>hourly</sy:updatePeriod>
		<sy:updateFrequency>1</sy:updateFrequency>
	<generator>https://wordpress.org/?v=4.0.38</generator>
	<item>
		<title>jQuery Placeholder Fallback</title>
		<link>https://rommelsantor.com/clog/2011/08/01/jquery-placeholder-fallback/</link>
		<comments>https://rommelsantor.com/clog/2011/08/01/jquery-placeholder-fallback/#comments</comments>
		<pubDate>Mon, 01 Aug 2011 16:36:15 +0000</pubDate>
		<dc:creator><![CDATA[rommel]]></dc:creator>
				<category><![CDATA[HTML5]]></category>
		<category><![CDATA[JavaScript]]></category>
		<category><![CDATA[jQuery]]></category>
		<category><![CDATA[attribute]]></category>
		<category><![CDATA[degradation]]></category>
		<category><![CDATA[fallback]]></category>
		<category><![CDATA[input]]></category>
		<category><![CDATA[placeholder]]></category>
		<category><![CDATA[script]]></category>

		<guid isPermaLink="false">http://rommelsantor.com/clog/?p=209</guid>
		<description><![CDATA[One of the handy new features for &#60;input&#62; elements in HTML5 is the &#8220;placeholder&#8221; attribute. If you&#8217;re unfamiliar with this attribute, it allows you to pre-populate a text input with instructions which disappear when the element receives focus or there is any entry in the element. For example, if you had a field prompting a [&#8230;]]]></description>
				<content:encoded><![CDATA[<p>One of the handy new features for &lt;input&gt; elements in HTML5 is the &#8220;placeholder&#8221; attribute. If you&#8217;re unfamiliar with this attribute, it allows you to pre-populate a text input with instructions which disappear when the element receives focus or there is any entry in the element.</p>
<p>For example, if you had a field prompting a user to enter their username, the placeholder text might be &#8220;Enter your username here.&#8221; With the introduction and support of the &#8220;placeholder&#8221; attribute, all that would be required is the use of an input tag like &lt;input type=&#8221;text&#8221; placeholder=&#8221;Enter your username here.&#8221;/&gt; and the browser will automatically display your text whenever there is no entry in the field and it does not have the keyboard focus.</p>
<p>The only problem is that older web browsers (and even those that are not-so-old, such as IE8) lack support for placeholders, so a standalone solution is required. After contemplating a couple of different fallback implementations, I decided that for my requirements, an extremely simple implementation would be best.</p>
<p><span id="more-209"></span>Other people have designed jQuery plugins mainly in one of two ways: 1) use the input&#8217;s own value to display the placeholder text when there is no user entry, and 2) float the placeholder text in front of the input.</p>
<p>Option 1 seems like the most obvious solution, but after brief contemplation, it is obviously a very sloppy one considering that overriding the input value means you&#8217;d have to design special handling to carry the true user entry. It also mucks things up that the input might be of type &#8220;password&#8221; which means you can&#8217;t just set the placeholder text as its value, since it will just show up obscured. Furthermore, if the input has a &#8220;maxlength&#8221; attribute that is shorter than the length of your placeholder text, you&#8217;d have to work around that as well. And as far as styling goes, if you wanted your placeholder text to appear differently than the input text, you&#8217;d need to also keep track of the styles of both. Clearly, a complete solution this isn&#8217;t.</p>
<p>Option 2 seems to be the much better implementation. Unfortunately, most all such solutions I&#8217;ve been able to find out there seem to be poorly designed, overlooking several key requirements for half-decent functionality. For example, they ignore the fact that the browser window might be resized (in which case the placeholder needs to move with the input) or the input might become hidden (in which case the placeholder should also be hidden).</p>
<p>And finally, here is the solution I came up with. You should be able to just drop it into your own page as-is, or minify it first if you&#8217;d like. (It&#8217;s a bit bloated here for readability and documentation.)<br />

<pre class="js:nocontrols:nogutter">&lt;script type="text/javascript"&gt;
$(document).ready(function(){// wait until the DOM is ready
  $(function(){// encapsulate our variables into their own scope
    // test if HTML5 placeholder is supported; if so, quit
    var el = document.createElement('input');
    if ('placeholder' in el)
      return;

    // traverse all inputs with a placeholder attribute
    $("input[placeholder],textarea[placeholder]").each(function(){
      var $ip = $(this),// the input itself (in a jQuery object)
          tx = $ip.attr('placeholder');// placeholder text

      // create a label and a span within it
      var $lb = $('<label></label>'),
          $sp = $('<span class="placeholder">'+tx+'</span>').appendTo($lb);

      // the label surrounds the input
      $lb.insertBefore($ip).append($ip);

      // try getting the input's size
      var w = $ip.width(),
          h = $ip.height();

      // if it fails, it's likely because the input is not visible
      if (!w || !h) {
        // clone the input and make it have size/shape without showing it
        var $clone = $ip.clone().appendTo('body').css({
          position : 'absolute',
          visibility : 'hidden',
          display : 'block'
        });

        // fetch the correct size (hopefully)
        w = $clone.width();
        h = $clone.height();

        $clone.remove();
      }

      // copy the position, size, and font into the
      // placeholder text's span
      $sp.css({
        position : 'absolute',
        display : 'block',
        width : w+'px',
        height : h+'px',
        lineHeight : $ip.css('line-height'),
        paddingLeft : $ip.css('padding-left'),
        paddingTop : $ip.css('padding-top'),
        marginLeft : $ip.css('margin-left'),
        marginTop : $ip.css('margin-top'),
        fontSize : $ip.css('font-size'),
        fontWeight : $ip.css('font-weight'),
        overflow : 'hidden',
        cursor : 'text'
      });

      // in MSIE 7 the text is vertically misaligned
      if ($.browser.msie &amp;&amp; parseInt($.browser.version) &lt;= 7)
        $sp.css({marginTop:parseInt($sp.css('margin-top'))+2+'px'});

      // if the input is hidden or shown, so should the placeholder be
      $ip.bind('hide', function(){ $sp.hide(); });
      // when showing, ensure the text is the right size
      $ip.bind('show', function(){
        $sp.show().css({
          width:$ip.width()+'px',
          height:$ip.height()+'px'
        });
      });

      // if the input is starting out hidden or there is a default value in
      // the input already, hide the placeholder
      if (!$ip.is(':visible') || $ip.val().length)
        $sp.hide();

      // when input gets focus, hide the placeholder and
      // when we leave the input, if it has no user entry
      // show the placeholder
      $ip.focus(function(){ $sp.hide(); });
      $ip.blur(function(){ if ($(this).val() == '') $sp.show(); });

      // if the placeholder is focused, send focus to the input
      $sp.focus(function(){ $ip.focus(); });
    });

    // override jQuery.hide() to trigger the 'hide' event
    var hide = $.fn.hide;
    $.fn.hide = function() {
      $(this).trigger('hide');
      return hide.apply(this, arguments);
    };

    // override jQuery.show() to trigger the 'show' event
    var show = $.fn.show;
    $.fn.show = function() {
      $(this).trigger('show');
      return show.apply(this, arguments);
    };
  });
});
&lt;/script&gt;</pre>
<br />
To style the placeholder text, just use CSS selector .placeholder. Keep in mind that if you are specifying any style attributes that have been assigned in the JS above, you must include !important in your CSS for the style to take effect.</p>
<pre class="css:nocontrols:nogutter">
.placeholder { color: #bbb; margin-top: 5px !important; }
/* you should use it alongside, and identically to, your style rules for HTML5
placeholder text, which as of this writing can be done in Mozilla and Webkit
browsers as follows: */
::-webkit-input-placeholder { color: #bbb; margin-top: 5px !important; }
/* single-colon for older Mozilla */
:-moz-placeholder { color: #bbb; margin-top: 5px !important; }
/* double-colon for newer Mozilla */
::-moz-placeholder { color: #bbb; margin-top: 5px !important; }
</pre>
<p>
<div style="float: left; margin: 0 10px 10px 0;"><script type="text/javascript">// <![CDATA[
google_ad_client = "ca-pub-7639656561235411";
/* Square (250x250) */
google_ad_slot = "8522038794";
google_ad_width = 250;
google_ad_height = 250;
// ]]&gt;</script>
<script type="text/javascript" src="http://pagead2.googlesyndication.com/pagead/show_ads.js">// <![CDATA[

// ]]&gt;</script></div>
<br />
Three notes about my implementation:</p>
<p>1) I could obviously make it into a plugin, but for my purposes, I&#8217;m just using it as-is.</p>
<p>2) I opted to override hide() and show() in jQuery. This might not be preferable and could possibly conflict with any other overrides of those same functions that might be present in your scripts. If this is an issue, you can just remove them.</p>
<p>3) The issue with some inputs is they may start out hidden when the page is loaded. If so, the width/height will not be known. To help mitigate this issue, we clone the input and make it take shape so we can determine its size. This helps, but it can still be inaccurate when the size of the input depends on CSS specific to its hierarchy (because we&#8217;re appending the clone to &#8220;body&#8221;, not to the input&#8217;s parent, who might also be non-visible due to some ancestor).</p>
<p>For example, if the CSS for your input is something like:</p>
<pre class="css:nocontrols:nogutter">#some-panel { display: none; }
#some-panel .some-box input { width: 500px; }</pre>
<p>Then we&#8217;ll clone the input, append the clone to &#8220;body&#8221;, and apply its width to the placeholder text. But since the CSS width depends on the input being a descendant of #some-panel and then .some-box, the width of our clone will very certainly not be the 500px we&#8217;re after.</p>
<p>The complete solution is: when showing the container of the input, always explicitly call something like <code>$("#some-panel .some-box input[placeholder]").show()</code> to trigger our input&#8217;s show() event, which triggers its placeholder&#8217;s show() event, which in turn adjusts the text to match the input&#8217;s size. It&#8217;s not elegant, but it works.</p>
<p>As always, if you encounter any issues or have any questions. Please comment below.<br />
<script type="text/javascript">// <![CDATA[
//< ![CDATA[
$("pre").attr({name:'code'});
// ]]&gt;</script></p>
]]></content:encoded>
			<wfw:commentRss>https://rommelsantor.com/clog/2011/08/01/jquery-placeholder-fallback/feed/</wfw:commentRss>
		<slash:comments>5</slash:comments>
		</item>
		<item>
		<title>Dynamic Facebook and Tweetmeme Widgets</title>
		<link>https://rommelsantor.com/clog/2010/04/09/dynamic-facebook-and-tweetmeme-widgets/</link>
		<comments>https://rommelsantor.com/clog/2010/04/09/dynamic-facebook-and-tweetmeme-widgets/#comments</comments>
		<pubDate>Fri, 09 Apr 2010 21:19:27 +0000</pubDate>
		<dc:creator><![CDATA[rommel]]></dc:creator>
				<category><![CDATA[JavaScript]]></category>
		<category><![CDATA[jQuery]]></category>
		<category><![CDATA[VideoSift]]></category>
		<category><![CDATA[dynamic]]></category>
		<category><![CDATA[facebook]]></category>
		<category><![CDATA[FB.Share]]></category>
		<category><![CDATA[retweet]]></category>
		<category><![CDATA[script]]></category>
		<category><![CDATA[tweetmeme]]></category>
		<category><![CDATA[twitter]]></category>
		<category><![CDATA[widget]]></category>

		<guid isPermaLink="false">http://rommelsantor.com/clog/?p=45</guid>
		<description><![CDATA[We just made a change on YouTube videos so that at the end of playback a Facebook &#8220;share&#8221; button and a Tweetmeme &#8220;retweet&#8221; button appear as part of an effort to encourage users to spread videos in their personal social networks. This presented a couple of problems because, similar to an issue touched on in [&#8230;]]]></description>
				<content:encoded><![CDATA[<p>
We just made a change on YouTube videos so that at the end of playback a Facebook &#8220;share&#8221; button and a Tweetmeme &#8220;retweet&#8221; button appear as part of an effort to encourage users to spread videos in their personal social networks.
</p>
<p><a rel="attachment wp-att-46" href="http://rommelsantor.com/clog/2010/04/09/dynamic-facebook-and-tweetmeme-widgets/shares/"><img class="aligncenter size-full wp-image-46" style="border: 1px solid #999;" title="Dynamic Facebook and Retweet Widgets" src="http://rommelsantor.com/clog/wp-content/uploads/2010/04/shares.jpg" alt="" width="537" height="407" /></a><br />
<span id="more-45"></span></p>
<p>
This presented a couple of problems because, similar to an issue touched on in <a href="http://rommelsantor.com/clog/2010/04/06/javascript-video-embed-widget/">my last clog</a>, the widgets needed to be inserted dynamically and that&#8217;s usually easier said than done. After a little bit of digging into how the widgets function, I was able to make them seemingly load normally on-the-fly.
</p>
<h1>Dynamic Facebook Share Button</h1>
<p>
Facebook share buttons are created in a couple of pieces. I started with the default widget code <a href="http://www.facebook.com/facebook-widgets/share.php" target="_blank">supplied</a> by Facebook:
</p>
<pre class="html:nocontrols:nogutter">
&lt;a type="button_count" name="fb_share"
  href="http://www.facebook.com/sharer.php"&gt;Share&lt;/a&gt;
&lt;script src="http://static.ak.fbcdn.net/connect.php/js/FB.Share" type="text/javascript"&gt;&lt;/script&gt;
</pre>
<p>
Understanding how to make this work dynamically first means understanding what exactly this code does. The &lt;a&gt; tag is clearly a link to Facebook&#8217;s share service where users can submit our page. The <tt>&lt;script&gt;</tt> tag loads a JavaScript object named FB.Share.
</p>
<h2>Failed Insertion</h2>
<p>If you were to try inserting these bits of code dynamically, you&#8217;d discover in no time flat that it just won&#8217;t work. For example, this might look like a good idea, but it&#8217;s useless:</p>
<pre>
$("#somediv").append('&lt;a type="button_count" name="fb_share" '+
  'href="http://www.facebook.com/sharer.php"&gt;Share&lt;/a&gt;');
$("#somediv").append('&lt;script src="http://static.ak.fbcdn.net/connect.php/js/FB.Share" '+
  'type="text/javascript"&gt;&lt;/script&gt;');
</pre>
<p>
And you may even try it a little more manually by directly modifying the DOM:
</p>
<pre>a = document.createElement('a');
a.type='button_count';
a.name='fb_share';
a.href='http://www.facebook.com/sharer.php';
a.innerHTML = 'Share';
document.getElementById('somediv').appendChild(a);

s = document.createElement('script');
s.type='text/javascript';
s.src='http://static.ak.fbcdn.net/connect.php/js/FB.Share';
document.getElementById('somediv').appendChild(s);
</pre>
<p>
But you&#8217;ll be disappointed by the results. A working solution required a little more digging.
</p>
<h2>Successful Buttonization</h2>
<p>I opened <a href="http://static.ak.fbcdn.net/connect.php/js/FB.Share" target="_blank">Facebook&#8217;s JavaScript file</a> and started sniffing around. Their code is designed to initialize all buttons on the page just once, which makes perfect sense. So the solution is to add the <tt>&lt;a&gt;</tt> tag as per the above but then manually force FB.Share to re-execute, thus turning our dynamically added link into a button. The required function call is rather simple:
</p>
<pre>
if (typeof(FB.Share) != 'undefined') {// make sure it exists
  // FB.Share.onFirst();
  // *** UPDATE: 17 Aug 2011 - Thanks to zr0ck who informed
  // FB has modified their Share script ***
  // FB.Share.onFirst() no longer exists; you must now instead call:
  FB.Share.renderPass();
}
</pre>
<p>
Just execute that after you&#8217;ve inserted your <tt>&lt;a&gt;</tt> link and it&#8217;ll become a pretty Facebook button.
</p>

<div style="float:left;margin:0 10px 10px 0">
<script type="text/javascript"><!--
google_ad_client = "ca-pub-7639656561235411";
/* Square (250x250) */
google_ad_slot = "8522038794";
google_ad_width = 250;
google_ad_height = 250;
//-->
</script>
<script type="text/javascript"
src="http://pagead2.googlesyndication.com/pagead/show_ads.js">
</script>
</div>

<h2>Multiple Buttons Per Page</h2>
<p>The above solution works splendidly, assuming that you use it on a URL specific to the content you&#8217;re sharing because FB.Share will by default use the address of the current page when adding to the user&#8217;s wall. However, if you are on a listing page where there are multiple content posts and the URL is not specific to any one of them (e.g., http://videosift.com), then every dynamic button you add will reference the same address.
</p>
<p>
Facebook provides a straightforward method for you to specify an alternate URL than the current one, which is to add a <tt>u</tt> variable to the query string of the link:
</p>
<pre class="html:nocontrols:nogutter">
&lt;a type="button_count" name="fb_share"
  href="http://www.facebook.com/sharer.php?u=SOMEURL"&gt;
</pre>
<p>
However that method doesn&#8217;t work with our dynamic buttonizing for whatever reason. A little more sniffing through the FB.Share code reveals exactly how it determines what URL to use:
</p>
<pre>
FB.Share {
//...
getUrl:function(a){return a.getAttribute('share_url')||window.location.href;}
//...
}
</pre>
<p>
Aha- it checks for an attribute named <tt>share_url</tt>. So all we have to do is add that attribute to our link et voila, we&#8217;re in business!
</p>
<pre class="html:nocontrols:nogutter">
&lt;a type="button_count" name="fb_share"
  href="http://www.facebook.com/sharer.php" share_url="SOMEURL"&gt;
</pre>
<h1>Dynamic Tweetmeme Retweet Button</h1>
<p>
Fortunately, the retweet button was much less involved than the FB share button, but also require just a little bit of digging. As described on <a href="http://help.tweetmeme.com/2009/04/06/tweetmeme-button/" target="_blank">tweetmeme&#8217;s widget page</a>, the following is the code you&#8217;d typically want to use on a web page:
</p>
<pre>
&lt;script type="text/javascript"&gt;
tweetmeme_url = 'http://yoururl.com';
&lt;/script&gt;
&lt;script type="text/javascript" src="http://tweetmeme.com/i/scripts/button.js"&gt;&lt;/script&gt;
</pre>
<p>
As with the FB widget, attempting to insert this code into the DOM on-the-fly just results in failure. (I&#8217;ll spare you the sample broken code.) So I cracked open the <a href="http://tweetmeme.com/i/scripts/button.js" target="_blank">button&#8217;s js code</a> and investigated how it worked.
</p>
<p>
It turns out tweetmeme doesn&#8217;t use a lot of JS tomfoolery to make their widgets work. Instead, they insert a simple <tt>&lt;iframe&gt;</tt> and allow that to do all work, which makes it easy for us because all we have to do is insert the same type of iframe and we&#8217;re in business. So we did something like the following and it worked like a charm:
</p>
<pre>
$("#somediv").append('&lt;iframe frameborder="0" scrolling="no" height="61" width="50"
  src="http://api.tweetmeme.com/button.js?url='+SOMEURL+'"&gt;&lt;/iframe&gt;');
</pre>
<h1>Enjoy!</h1>
<p><script type="text/javascript">//<![CDATA[
$("pre").attr({name:'code'}).each(function(){if($(this).attr('class')=='')$(this).addClass('js:nocontrols:nogutter');});
//]]&gt;</script></p>
]]></content:encoded>
			<wfw:commentRss>https://rommelsantor.com/clog/2010/04/09/dynamic-facebook-and-tweetmeme-widgets/feed/</wfw:commentRss>
		<slash:comments>15</slash:comments>
		</item>
		<item>
		<title>JavaScript Video Embed Widget</title>
		<link>https://rommelsantor.com/clog/2010/04/06/javascript-video-embed-widget/</link>
		<comments>https://rommelsantor.com/clog/2010/04/06/javascript-video-embed-widget/#comments</comments>
		<pubDate>Wed, 07 Apr 2010 05:22:18 +0000</pubDate>
		<dc:creator><![CDATA[rommel]]></dc:creator>
				<category><![CDATA[Ajax]]></category>
		<category><![CDATA[JavaScript]]></category>
		<category><![CDATA[jQuery]]></category>
		<category><![CDATA[VideoSift]]></category>
		<category><![CDATA[dom]]></category>
		<category><![CDATA[embed]]></category>
		<category><![CDATA[script]]></category>
		<category><![CDATA[video]]></category>
		<category><![CDATA[widget]]></category>
		<category><![CDATA[xmlhttprequest]]></category>

		<guid isPermaLink="false">http://rommelsantor.com/clog/?p=6</guid>
		<description><![CDATA[Overview &#124; Inserting the Widget &#124; Name Collision &#124; Dynamic &#60;script&#62; Loading Cross-Domain Scripting and XMLHttpRequest &#124; In Conclusion Overview At VideoSift we have always made available the embed code for every video on the site. Until now, the provided code has just been the raw &#60;object&#62; and &#60;embed&#62; tags as you would acquire directly [&#8230;]]]></description>
				<content:encoded><![CDATA[<p><center><a href="#overview">Overview</a> | <a href="#inserting_the_widget">Inserting the Widget</a> | <a href="#name_collision">Name Collision</a> | <a href="#dynamic_script_loading">Dynamic &lt;script&gt; Loading</a><br />
<a href="#cross_domain_scripting_and_xmlhttprequest">Cross-Domain Scripting and XMLHttpRequest</a> | <a href="#in_conclusion">In Conclusion</a></center></p>
<h1 id="overview">Overview</h1>
<p>At VideoSift we have always made available the embed code for every video on the site. Until now, the provided code has just been the raw &lt;object&gt; and &lt;embed&gt; tags as you would acquire directly from the video host, but we wanted to provide a much more attractive embed.</p>
<p>We opted to achieve such a thing by providing users with a &lt;script&gt; tag that builds the fancy new widget into the DOM of the host page. Initially, the plan was to just generate a pretty simple DOM structure  wrapped around a video, but it evolved from there to include:</p>
<ul>
<li>the ability to optionally start out as a thumbnail image that when clicked will expand into the full widget</li>
<li>a functional vote button that would remotely cast an up-vote for logged in members</li>
<li>a brief, scrollable listing of comments on the video</li>
</ul>
<p>There were a few interesting issues that needed to be resolved along the way:</p>
<ul>
<li>Where on the host page should the widget be inserted?</li>
<li>What happens if the host page contains multiple widget &lt;script&gt; tags?</li>
<li>How should we dynamically load the widget in comments on VideoSift?</li>
<li>How should we cast votes on remote host pages that need to be posted to VideoSift?</li>
</ul>
<p><span id="more-6"></span></p>
<h1 id="inserting_the_widget">Inserting the Widget</h1>
<p>When it came to inserting the widget into the DOM of the host page, the desired location was obvious: immediately adjacent to the &lt;script&gt; tag itself. Really the only issue was to locate the appropriate &lt;script&gt; tag.</p>
<p>We start by searching for the target node in the DOM tree for all nodes with tagName &#8216;script&#8217; and examine their &#8220;src&#8221; attribute:</p>
<pre>function createWidgetDiv() {
  scripts = document.getElementsByTagName('script');
  for (i=0; i &lt; scripts.length; ++i) {
    if (/videosift\.com\/widget\.js\?.*video=123456(&amp;|$)/.test(scripts[i].src)) {
      widgetdiv = document.createElement('div');
      scripts[i].parentNode.insertBefore(widgetdiv, scripts[i].nextSibling);
      break;
    }
  }

// now we can start inserting our widget contents into widgetdiv
}</pre>

<div style="float:left;margin:0 10px 10px 0">
<script type="text/javascript"><!--
google_ad_client = "ca-pub-7639656561235411";
/* Square (250x250) */
google_ad_slot = "8522038794";
google_ad_width = 250;
google_ad_height = 250;
//-->
</script>
<script type="text/javascript"
src="http://pagead2.googlesyndication.com/pagead/show_ads.js">
</script>
</div>

<h1 id="name_collision">Name Collision</h1>
<p>At this point we discover another issue. How are we sure this &lt;script&gt; tag belongs to the widget that&#8217;s currently executing? The user could have inserted onto the host page two &lt;script&gt; embeds. We handle the issue of there being two different embeds on the same page by checking if the &lt;script&gt; src URL contains the video ID that we&#8217;re currently executing with. We do not, however, handle the situation where a user inserts two embeds for the exact same video ID. In that case, both the first and the second widget will insert themselves after the first &lt;script&gt; tag because it&#8217;s the first one encountered in the DOM tree.</p>
<p>This brings us to the related issue of variable and function name collisions shared by multiple embedded scripts. With just a single widget on the page, we wouldn&#8217;t have to worry about naming convention, but let&#8217;s say we have two widgets with video IDs 111 and 222 both on the same host page. When the widget for 111 executes, everything will be fine, but when 222 executes, it will define a new createWidgetDiv(). If after that happens 111 calls createWidgetDiv() again, it will then be calling that defined by 222.</p>
<p>One way to fix this is to define the functions with a video ID specific suffix, e.g., createWidgetDiv_111() and createWidgetDiv_222(). This is not ideal, however, because considering again the situation where the host page contains two widgets with the same video ID, there will again be overlap. So, I opted to append a random number to every important function and variable name like createWidgetDiv_3948717().</p>
<h1 id="dynamic_script_loading">Dynamic &lt;script&gt; Loading</h1>
<p>So far, so good. At this point a page can load with any number of widgets already embedded in the HTML, but uh oh- what happens if we try to insert a &lt;script&gt; tag into a page that&#8217;s already been loaded? When we decided to modify VideoSift comment listings to allow just our special &lt;script&gt; tag, we needed to adjust how we loaded it. Here&#8217;s a very simple example trying to insert a &lt;script&gt; tag with jQuery:</p>
<pre>$("#some_div").html('&lt;script type="text/javascript"
  src="http://videosift.com/widget.js?video=111"&gt;&lt;/script&gt;');</pre>
<p>This won&#8217;t work because the &lt;script&gt; tags won&#8217;t be parsed. (This is not just jQuery-specific.) The fix, unfortunately, is not an issue that can be dealt with in the widget itself, but by the host page that is loading the script. Rather than attempting to insert a script tag, you&#8217;ll have to manually manipulate the DOM to insert a node with tagName &#8216;script&#8217;. You could use a function along these lines:</p>
<pre>function dynScript(src) {
  script = document.createElement('script');
  script.type = 'text/javascript';
  script.src = src;
  return script;
}

// insert it somewhere
$("#some_div").append(dynScript('http://videosift.com/widget.js?video=111'));</pre>
<h1 id="cross_domain_scripting_and_xmlhttprequest">Cross-Domain Scripting and XMLHttpRequest</h1>
<p>The final piece of the puzzle was getting the vote button to function when the widget is hosted on a remote domain. For security, XMLHttpRequest/Ajax requests are disallowed from communicating with scripts on foreign websites.</p>
<p>We clearly want to allow VideoSift users to cast votes for videos embedded on external sites, so we used a common workaround for the cross-domain restriction and inserted a dynamic script tag into the DOM specifying the vote URL as the &lt;script&gt; src attribute.</p>
<p>If that sounds familiar, yep, you guessed it. We reuse the dynScript() function for this purpose and it works splendidly. For example, we can do something like this:</p>
<pre>$("#vote_btn").click(function(){
  // normally we'd make an Ajax request here, but not this time
  $(body).append(dynScript('http://videosift.com/widget_vote.js?video=111'));
  return false;
});</pre>
<p>And the loaded script can take care of the post-processing for the host page that would normally happen in the Ajax callback. For example:</p>
<pre>if (voting_failed)
  alert('Could not cast your vote!');
else
  updateVoteButton();</pre>
<h1 id="in_conclusion">In Conclusion</h1>
<p>Well, that&#8217;s it for my very first clog post. I hope most of what I wrote up there isn&#8217;t too vague to be appreciated by anyone who might be looking for some guidance or answers. My intent was to provide in broad strokes a breakdown of the wrinkles encountered on this project and how they were ironed out.</p>
<p>Here is an example of the widget in action.</p>
<p><script src="http://videosift.com/widget.js?video=170447&amp;width=540&amp;comments=15&amp;minimized=1" type="text/javascript"></script></p>
<p>The embed code for this widget follows:</p>
<pre>&lt;script type="text/javascript"
  src="http://videosift.com/widget.js?video=170447&amp;width=540&amp;comments=15&amp;minimized=1"&gt;&lt;/script&gt;</pre>
<p><script type="text/javascript">//< ![CDATA[
$("pre").attr({name:'code'}).addClass('js:nocontrols:nogutter');
//]]&gt;</script></p>
]]></content:encoded>
			<wfw:commentRss>https://rommelsantor.com/clog/2010/04/06/javascript-video-embed-widget/feed/</wfw:commentRss>
		<slash:comments>3</slash:comments>
		</item>
	</channel>
</rss>
