views:

177

answers:

4

Hey there!

I build a web tool for a photo lab to start print orders to be processed by the printers.

On older Mac's I am experiencing bad performance with my scripts. I was wondering whether there are some low performing parts in my scripts.

Do you guys see such low performing parts?

thx, Max

$(function() {

/* when start button is clicked */
$('.start_btn').click(function() {

 /* remove all previous input fields */
 $("#dialog_fieldset").children().remove();

 /* save id */
 id = $(this).attr('name');

 /* get data from db */
 $.post("inc/get_start_order_infos.inc.php", { id: id },

  /* Callback */
  function(data){

      /* make data globally available */
      daten = data;

      /* build the var 'infos_html' */
      var infos_html = '<label for="kunden_nr">Kunden-Nr.</label><input type="text" name="kunden_nr" id="kunden_nr" ';
      infos_html += 'value="' + data.kunden_nr + '" class="text ui-widget-content ui-corner-all" />';
      infos_html += '<label for="sort">Sort</label><input type="text" name="sort" id="sort" value="';
      infos_html += data.sort_nr + '" class="text ui-widget-content ui-corner-all" />';

      /* append infos_html to the fieldset */
      $('#dialog_fieldset').append(infos_html);

      /* Code Index */
      anzahlCodes = 1;

      /* For each element within the sub array codes */
      for(e in data.codes){

       /* build the var 'code_html' */
       var code_html = '<label for="code' + anzahlCodes + '">Code ' + anzahlCodes;
       code_html += '</label><input type="text" name="code' + anzahlCodes + '" id="code' + anzahlCodes;
       code_html += '" value="' + data.codes[e] + '" class="text ui-widget-content ui-corner-all" />';

       /* append code_html to the fieldset */
       $('#dialog_fieldset').append(code_html);
       anzahlCodes++;
      }

      $('#dialog').dialog('open');
      $('#kunden_nr').select();

 }, "json");

 return false;
});

$("#dialog").dialog({
 bgiframe: false,
 autoOpen: false,
 height: 350,
 modal: true,
 buttons: {
  'Auftrag starten': function() {

   /* close dialog */
   $(this).dialog('close');

   /* create the info array to be submitted */
   var arr_infos = new Array();
   arr_infos[0] = id;
   arr_infos[1] = $('#kunden_nr').attr('value');
   arr_infos[2] = $('#sort').attr('value');

   /* write inputs into the str_codes */
   var str_codes = "";
   for (var i=1; i < anzahlCodes; i++){
    var cde = '#code' + i;
    if(i == 1){
     str_codes += $(cde).attr('value');
    }
    else{
     str_codes += "<--->" + $(cde).attr('value');
    }
   }


   /* execute start */
   $.post("inc/start_orders.inc.php", { 'corrected_infos[]':arr_infos, 'corrected_codes': str_codes },

    /* Callback */
    function(data){
     $('#notice').remove();

     /* if start was successful */
     if (data.mstype == 'success'){

      /* the pressed button */
      btn = ".start_btn[name=" + id + "]";
      /* the tr where the button is inside */
      tr = $(btn).parent().parent();
      /* remove red */
      $(tr).removeClass('rot');

      /* set text of Kunden-Nr. td */
      $(tr).children().eq(3).text(arr_infos[1]);

      /* set text of Sort td */
      $(tr).children().eq(4).text(arr_infos[2]);

      /* set text of Code td */
      $(tr).children().eq(5).text(str_codes);

      /* set text of start td */
      $(tr).children().eq(8).text('ja');

      /* prepend notice */
      $("#outline").prepend("<div id='notice'>" + data.ms + "</div>");
     }

     /* if not successful */
     else {
      $("#outline").prepend("<div id='notice' class='notice_err'>" + data.ms + "</div>");
     }
      }, "json");
  },
  'Abbrechen': function() {
   $(this).dialog('close');
  }
 }
});
+2  A: 

Hey Max. I suggest you install Firebug for Firefox if you haven't already. You can then use the Javascript Profiling functionality to find out where exactly in your code the slowdown is.

Here's a good tutorial on profiling with Firebug.

Best of luck.

hobodave
While that will help with detecting which functions are slow, it wont help explain why.
Justin Johnson
that's what brains are for.
hobodave
Justin, you need to know where it is before you can fix it and sometimes just looking at the code, it is not obvious where it is...
Darko Z
+1  A: 

Well just from glancing over your code the biggest mistake you seem to be making is in your second callback (the bottom one) where you keep reselecting the row children elements. You should really assign that common query result to a variable and just use that. I would imagine youd see an improvement in performance then. This is how i'd change it:

/* beginning of callback code */

if (data.mstype == 'success') {

    /* the pressed button */
    btn = $(".start_btn[name=" + id + "]");
    /* the tr where the button is inside */
    tr = $(btn).parent().parent();
    /* remove red */
    tr.removeClass('rot');

    /***** This is the change *****/
    var children = $(tr).children();

    /* set text of Kunden-Nr. td */
    children.eq(3).text(arr_infos[1]);

    /* set text of Sort td */
    children.eq(4).text(arr_infos[2]);

    /* set text of Code td */
    children.eq(5).text(str_codes);

    /* set text of start td */
    children.eq(8).text('ja');
    /* prepend notice */
    $("#outline").prepend("<div id='notice'>" + data.ms + "</div>");
}

/* end of callback code */

Other than that you'd need to be more specific as to WHERE exactly it is that the bad performance is coming from and for that you can use Firebug as others have pointed out.

Darko Z
While the repeat use of `$(tr)` is going to slow things down, the biggest trouble spots are the two loops. The first one calls the HTML parser into play and restructures the DOM every iteration, and the second one searches the DOM every iteration.
Justin Johnson
hes not manipulating the dom apart from the append() hes manipulating strings which, while ugly and not the most elegant way is faster than creating nodes from the dom like you suggest
Darko Z
Appending multiple items to a dom node is not faster than appending them to a fragment. Also, he was doing multiple calls to $("#someid") which is slower than storing them in array when creating them and simply accessing them in the array later.
Justin Johnson
And his problem is in older browsers, whose performance I cannot test to confirm or deny the difference between using a string or creating nodes.
Justin Johnson
+5  A: 

My suggestions are in the code as comments indicated by //++. Generally, JavaScript is faster when you search or alter the DOM as little as possible.

The main points of concern are in your loops and your repeat usage of $(tr).

I haven't tested this code.

$(function() {
    //++ jQuery doesn't cache this call, so it has to search the DOM each time.  
    //++ I've moved any node that is requested more than once here
    var dialog_fieldset_node = $("#dialog_fieldset"),
     dialog_node          = $("#dialog"),
     kunden_nr_node       = $("#kunden_nr"),
     outline_node         = $("#outline");
    //++ variables that you're using as globals I've moved here so that they can be shared 
    //++ between the event handlers, but aren't poluting the global scope.  They are accessible
    //++ to each event handler via the closure property of this annonymous function.
    var id = null;
    //++ Since you're creating the code <INPUT> nodes, store a refernce to them at that time
    //++ instead of having to find them in the DOM again later.  Now, anzahlCodes doesn't need
    //++ to be available to both handlers.
    var code_input_nodes = [];

    /* when start button is clicked */
    $('.start_btn').click(function() {
     /* remove all previous input fields */
     dialog_fieldset_node.children().remove();

     /* save id */
     id = $(this).attr('name');

     /* get data from db */
     $.post("inc/get_start_order_infos.inc.php", { id: id },
      /* Callback */
      function(data){
       /* make data globally available */
       daten = data;

       /* append infos_html to the fieldset */
       //++ No need to build a string in a variable that you're only going to use once.  You might want 
       //++ to build this out using DOM methods as I did below.  Since its only done once, there might 
       //++ not be a difference performancy wise
       dialog_fieldset_node.append(
        '<label for="kunden_nr">Kunden-Nr.</label><input type="text" name="kunden_nr" id="kunden_nr" ' +
        'value="' + data.kunden_nr + '" class="text ui-widget-content ui-corner-all" />' +
        '<label for="sort">Sort</label><input type="text" name="sort" id="sort" value="' +
        data.sort_nr + '" class="text ui-widget-content ui-corner-all" />'
       );


       //++ 1) `var e` to keep `e` from begin global.  If you want this side effect, you should be explicit about it.
       //++ 2) Create nodes via DOM methods to avoid running the HTML parser. node variables are defined outside of the
       //++ loop to avoid overhead of instantiation and scope-chain modification (minimal, but effective for large sets
       //++ of iterations.
       //++ 3) Append created nodes to a document fragment and then append the fragment to the `dialog_fieldset_node` to 
       //++ avoid multiple, unnecessary DOM tree reflows (which are slow).
       var fragment     = document.createDocumentFragment(),
        label_node   = null, 
        input_node   = null;
        anzahlCodes  = 0;
       //++ Seems this needs to be reset everytime
       code_input_nodes = [];

       /* For each element within the sub array codes */
       for( var e in data.codes){
        label_node = document.createElement("LABEL");
        label_node.setAttribute("for", anzahlCodes);
        label_node.innerHTML = "Code " + anzahlCodes;

        input_node = document.createElement("INPUT");
        input_node.setAttribute("type",  "text");
        input_node.setAttribute("name",  "code" + anzahlCodes);
        input_node.setAttribute("id",    "code" + anzahlCodes);
        input_node.setAttribute("class", "text ui-widget-content ui-corner-all");
        input_node.setAttribute("value", data.codes[e]);

        //++ store a reference for later use
        code_input_nodes.push(input_node);

        /* append code_html to the fieldset */
        fragment.appendChild(label_node);
        fragment.appendChild(input_node);
        anzahlCodes++;
       }
       dialog_fieldset_node.append(fragment);

       dialog_node.dialog('open');
       kunden_nr_node = $("#kunden_nr");
       kunden_nr_node.select();

      }, 
      "json"
     );

     return false;
    });

    dialog_node.dialog({
     bgiframe: false,
     autoOpen: false,
     height:   350,
     modal:    true,
     buttons:  {
      'Auftrag starten': function() {
       /* close dialog */
       $(this).dialog('close');

       /* create the info array to be submitted */
       var arr_infos = [id, kunden_nr_node.attr('value'), $('#sort').attr('value')];

       /* write inputs into the str_codes */
       var str_codes = "";
       for ( var i in code_input_nodes ) {
        str_codes += (i ? "" : "<--->") + code_input_nodes[i].attr('value');
       }


       /* execute start */
       $.post("inc/start_orders.inc.php", { 'corrected_infos[]':arr_infos, 'corrected_codes': str_codes },
        /* Callback */
        function(data){
         $('#notice').remove();

         /* if start was successful */
         if (data.mstype == 'success'){
          /* the tr where the button is inside */
          //++ 1) Was this intentionally global?  Global variables are the slowest to access because they
          //++ are at the end of the scope-chain (which *sometimes* makes a difference, depending on depth).
          //++ 2) Instead of wrapping `tr` in `$()` every time you use it, just do it once.
          var tr = $(
            $(".start_btn[name=" + id + "]").parent().parent()
           );
          //++ Avoid calling `.children()` multiple times, just do it once.
          var tr_children = tr.children();

          /* remove red */
          tr.removeClass('rot');

          /* set text of Kunden-Nr. td */
          tr_children.eq(3).text(arr_infos[1]);

          /* set text of Sort td */
          tr_children.eq(4).text(arr_infos[2]);

          /* set text of Code td */
          tr_children.eq(5).text(str_codes);

          /* set text of start td */
          tr_children.eq(8).text('ja');

          /* prepend notice */
          outline_node.prepend("<div id='notice'>" + data.ms + "</div>");
         }

         /* if not successful */
         else {
          outline_node.prepend("<div id='notice' class='notice_err'>" + data.ms + "</div>");
         }
        },
        "json"
       );
      },

      'Abbrechen': function() {
       $(this).dialog('close');
      }
     }
    });
});

Hope that helped.

Justin Johnson
wow... astonishing answer... going to read it closely now. thx!
Max
Hey Justin, I am getting the error: code_input_nodes[i].attr is not a function (line 107)Wonder whether the if statement in that line is correct as well!?Thx for all the comments and that lovely help!
Max
so you said what I said about the TR and changed simple string manipulation into dom element manipulation... how is that faster?
Darko Z
@Darko You missed the main point. 1) In the click handler, I'm using a fragment to build out everything separate from the main document and then doing one append into the dom, and 2) the loop the builds `str_codes` no longer searches the DOM at all, just access references stored in an array.
Justin Johnson
@max sorry, like I said, didn't test. Try changing `code_input_nodes.push(input_node);` to `code_input_nodes.push($(input_node));` to apply the jQuery methods to the nodes before adding them to the array
Justin Johnson
@Justin: that helped, thx a lot!
Max
Glad I can help. Lets mark this as answered so we can move on with things ;) Also, how was the speed increase?
Justin Johnson
Great answer man
Sneakyness
@Sneakyness thank you sir
Justin Johnson
A: 

note that this dialog_fieldset_node.children().remove(); would be more aptly done via empty(); dialog_fieldset_node.empty();

pixeline