JQuery to load Javascript file dynamically JQuery to load Javascript file dynamically javascript javascript

JQuery to load Javascript file dynamically


Yes, use getScript instead of document.write - it will even allow for a callback once the file loads.

You might want to check if TinyMCE is defined, though, before including it (for subsequent calls to 'Add Comment') so the code might look something like this:

$('#add_comment').click(function() {    if(typeof TinyMCE == "undefined") {        $.getScript('tinymce.js', function() {            TinyMCE.init();        });    }});

Assuming you only have to call init on it once, that is. If not, you can figure it out from here :)


I realize I am a little late here, (5 years or so), but I think there is a better answer than the accepted one as follows:

$("#addComment").click(function() {    if(typeof TinyMCE === "undefined") {        $.ajax({            url: "tinymce.js",            dataType: "script",            cache: true,            success: function() {                TinyMCE.init();            }        });    }});

The getScript() function actually prevents browser caching. If you run a trace you will see the script is loaded with a URL that includes a timestamp parameter:

http://www.yoursite.com/js/tinymce.js?_=1399055841840

If a user clicks the #addComment link multiple times, tinymce.js will be re-loaded from a differently timestampped URL. This defeats the purpose of browser caching.

===

Alternatively, in the getScript() documentation there is a some sample code that demonstrates how to enable caching by creating a custom cachedScript() function as follows:

jQuery.cachedScript = function( url, options ) {    // Allow user to set any option except for dataType, cache, and url    options = $.extend( options || {}, {        dataType: "script",        cache: true,        url: url    });    // Use $.ajax() since it is more flexible than $.getScript    // Return the jqXHR object so we can chain callbacks    return jQuery.ajax( options );};// Usage$.cachedScript( "ajax/test.js" ).done(function( script, textStatus ) {    console.log( textStatus );});

===

Or, if you want to disable caching globally, you can do so using ajaxSetup() as follows:

$.ajaxSetup({    cache: true});