Please rate how useful you found this document: 
Average: 2.3 (3 votes)

Grid Methods and Properties

The following methods and properties are available in grid objects. Most methods are available in both the jQuery grid object and Backbone grid object.

grid.getControl()

The getControl() method returns the jQuery object for a table's cell.

$("#grid").getControl(row, col)

Parameters:

  • row: The row number of the control in the grid, which starts counting from the number 1.
  • col: The column number of the control in the grid, which starts counting from the number 1.

The getControl() method will return an empty array in the following cases:

  • The grid name doesn't exist or the ID is incorrect.
  • The row or column index doesn't exist.
  • No parameters are set (row, column).
  • Note: This function does not work with a Link, Multiple File Uploader control or with any control inside the grid set to View mode. This method also does not work with Mobile controls.

    Example:

    In a grid with the ID "productsGrid", this code example checks whether the datetime fields in the second column of the grid are empty when the Dynaform is submitted. If so, the border of the datetime field will be outlined in red and the form won't be submitted. If the fields are not empty, it will be outlined in green.

    //set to the form's ID
    $("#780975341580e46f630efa7099844839").setOnSubmit(function() {
        var numRows = $("#productsGrid").getNumberRows();
        var count=0;
        for (var i=1; i <= numRows; i++) {
            if ($("#productsGrid").getText(i, 2) == "") {
                $("#productsGrid").getControl(i, 2).css("border","red solid 1px");
                count++;
            }
            else {
                $("#productsGrid").getControl(i, 2).css("border","green solid 1px");
            }
        }
        if (count > 0) {
            return false; //return false to prevent submit
        }
        else {
            return true;
        }
    });

    grid.getValue()

    The grid.getValue() method returns all the values inside a grid if no parameters are specified. It returns an array of arrays, where the outer array holds the rows in the grid and the inner arrays hold the values of the fields in each row.

    $("#gridId").getValue()

    Alternatively, grid.getValue() returns the value of a single control inside a grid, if the row and column number is specified.

    $("#gridId").getValue(row, col)

    Parameters:

    • row: The row number of the control in the grid, which starts counting from the number 1.
    • col: The column number of the control in the grid, which starts counting from the number 1.

    Example:

    The following grid with the ID "clientsGrid" has three rows with 4 fields in each row:

    Calling $("#clientsGrid").getValue() returns:

    [
        ["Dewey, Cheatem & Howe", "1", "2015-10-15 14:50:47", "SME_Latin_-_SOW_V7-reviewed.doc"],
        ["Mary House",            "0", "",                    []                               ],
        ["Remington, Inc.",       "1", "2015-08-10 15:15:45", "ObservationsPM3.doc"            ]
    ]

    Note that empty File fields have their value set to [] (an empty array).

    Calling $("#clientsGrid").getValue(1, 1) returns "Dewey, Cheatem & Howe", and calling $("#clientsGrid").getValue(3, 4) returns "ObservationsPM3.doc".

    Example with getValue():

    The following example loops through all the rows in the "clientsGrid" when the form is submitted to check whether they all have a contract start date. If not, then the submit action is stopped and an alert message is shown to the user.

    $("#1962056655756ea96035120018857913").setOnSubmit(function(){
        var aClients = $("#clientsGrid").getValue()
        for (var i=0; i < aClients.length; i++) {
            //if empty "Contract File" field
            if (aClients[i][2] == []) {
                alert("Please add a Contract Start Date in row " + (i+1) + ".");
                return false;  //return false to stop submit action
            }
        }
        return true;
    } );

    Note that the counting in the aClients array starts from 0, so that aClients[1][2] is the field in the second row and the third column in the grid.

    Example with getValue(row, col)

    The following code does exactly the same thing as the previous example, but it uses the getValue(row, col) method to get the value of the "Contract File" field in each row.

    $("#1962056655756ea96035120018857913").setOnSubmit(function(){
        var grd = $("#clientsGrid");
        for (var i=1; i <= grd.getNumberRows(); i++) {
            //if empty "Contract File" field
            if (grd.getValue(i, 3) == []) {
                alert("Please add a Contract File in row " + i + ".");
                return false;  //return false to stop submit action
            }
        }
        return true;
    } );

    grid.setValue()

    Note: grid.setValue() is only supported on Processmaker Mobile if the application works in Processmaker 3.1 and later.

    The grid.setValue() method sets the value of a control inside a grid. Note that this method can not be used to add new rows to grids; it can only be used to set the value of an existing control.

    $("#gridId").setValue("value", row, col)

    Parameters:

    • "value": The value to be set, which depends on the type of control. An empty string, "", can be used to clear a control's value.
    • row: The row number of the control in the grid, which starts counting from the number 1.
    • col: The column number of the control in the grid, which starts counting from the number 1.

    Example:

    Using the clientsGrid shown above, set the value of the datetime control in the last row to 7 days in the future when the "updateDate" button is clicked. To format the date to 7 days in the future, add the getMonthFormatted() and getDateFormatted() methods to the date's prototype to ensure that there are two digits in the month and day, so that the value will be in "YYYY-MM-DD" format.

    //add function to Date definition to return two digits of month between "01" and "12":
    Date.prototype.getMonthFormatted = function() {
        var month = this.getMonth() + 1;
        return month < 10 ? '0' + month : '' + month;
    }
    //add function to Date definition to return two digits of day of the month between "01" and "31":
    Date.prototype.getDateFormatted = function() {
        var day = this.getDate();
        return day < 10 ? '0' + day : '' + day;
    }

    $("#updateDate").find("button").on("click" , function() {
        var d = new Date();
        d.setDate(d.getDate() + 7); //set to 7 days in future
        var nextWeek = d.getFullYear() +'-'+ d.getMonthFormatted() +'-'+ d.getDateFormatted();
        var lastRow = $("#clientsGrid").getNumberRows();
        $("#clientsGrid").setValue(nextWeek, lastRow, 3);
    } );

    grid.getText()

    The grid.getText() method returns a control's text inside a grid. See control.setText() for a description of text for each type of control.

    $("#gridId").getText(row, col)

    Parameters:

    • row: The row number of the control in the grid, which starts counting from the number 1.
    • col: The column number of the control in the grid, which starts counting from the number 1.

    Example:

    Using the "clientsGrid" above, this example checks whether all the checkboxes in the second column of the grid are marked when the Dynaform is submitted. Note that checkboxes in Dynaforms always have a text label of "true" if marked or "false" if unmarked.

    $("#1962056655756ea96035120018857913").setOnSubmit(function(){
    var numRows = $("#clientsGrid").getNumberRows();
        for (var i=1; i <= numRows; i++) {
            if ($("#clientsGrid").getText(i, 2) == "false") {
                alert("Error: All clients must have a contract.")
                return false;  //return false to prevent submit
            }
        }
        return true;
    } );

    grid.setText()

    The grid.setText() method sets a control's text inside a grid. See control.setText() for a description of text for each type of control.

    $("#gridId").setText("text", row, col)

    Parameters:

    • "text": The text to be set, which depends on the type of control.
    • row: The row number of the control in the grid, which starts counting from the number 1.
    • col: The column number of the control in the grid, which starts counting from the number 1.

    Example:

    Using the "clientsGrid" above, mark the checkbox in the last row of the grid when the user selects the option "execute_with_contract" in the "howProceed" dropdown box.
    $("#howProceed").setOnchange(function(newVal, oldVal) {
        if (newVal == "execute_with_contract") {
            var lastRow = $("#clientsGrid").getNumberRows();
            $("#clientsGrid").setText("true", lastRow, 2);
        }
    }

    grid.getNumberRows()

    The getNumberRows() method returns the number of rows in a grid.
    Take into consideration that grids in the ProcessMaker Web Edition are created with 1 empty row by default. In ProcessMaker 3.1 and later, this first row can be deleted manually. This behavior is different in ProcessMaker Mobile where grids start with no elements.

    $("#gridId").getNumberRows()

    Example:

    The "products" grid contains the "price" and "taxRate" fields, which are the second and third fields, respectively. When the user clicks on the "checkGrid" button, the following code loops through the "products" grid and checks to see whether the total price of all the products is between $200 and $500.

    $("#checkGrid").find("button").on("click" , function() {
       var totalPrice = 0;
       if ($("#products").getNumberRows()!== 0) {
          for (var i = 1; i <= $("#products").getNumberRows(); i++) {
             var price = $("#products").getValue(i, 2);
             var taxRate = $("#products").getValue(i, 3);
             totalPrice = Number(totalPrice) + (Number(price) + (price * taxRate));
          }
          if (totalPrice < 200 || totalPrice > 500) {
             alert("The total price of the products is $" + totalPrice +
                "\nIt must be between $200 and $500. \nPlease adjust the prices.");
          }
       }
       else {
          alert("There are no records.")
       }
    });

    An alert message will be displayed if the total price is out of range or if the grid has no rows:

    grid.addRow()

    The grid.addRow() method appends a row to the end of a grid. It can either be a blank row:

    $("#gridId").addRow()

    or it can include data to be inserted into the new row. The data is an array of objects that contains a value. The value in the first object will be inserted in the first control in the new row, the value in the second object will be inserted in second control, etc. It is not necessary to include values for all the controls in the new row.

    $("#gridId").addRow([{value: "value1"}, {value: "value2"}, ...])

    Examples:

    Using the "clientsGrid" above, append a blank row to the end of the grid when the user clicks on the "addClient" button.

    $("#addClient").find("button").on ("click" , function() {
        $("#clientsGrid").addRow();
    } );

    To insert data in the new row:

    $("#addClient").find("button").on("click" , function() {
        var aData = [
            {value: "Sarah Means"}, //textbox
            {value: "1"          }, //checkbox is "1" or "0"
            {value: "2015-10-25" }, //datetime must have "YYYY-MM-DD" or "YYYY-MM-DD HH:MM:SS" format
            {value: null         }  //file field can't be set
        ];
        $("#clientsGrid").addRow(aData);
    } );

    grid.deleteRow()

    The grid.deleteRow() deletes a row in a grid. The row number to be deleted can be specified and the counting of rows starts from the number 1. A grid must have at least one row, so the row will not be deleted if it is the only one in the grid. If the row number isn't included, then the last row in the grid will be deleted.

    $("#gridId").deleteRow(rowIndex)

    Examples:

    When the user clicks the "clearGrid" button, then all the rows in "clientsGrid" are deleted and all the fields in the first row are cleared, because it can't be deleted.

    $("#clearGrid").find("button").on("click" , function() {
        //first delete all rows except for the first:
        var rows = $("#clientsGrid").getNumberRows();
        for (var i=1; i < rows; i++) {
            $("#clientsGrid").deleteRow();
        }
        //clear all fields in the grid:
        var aValues = $("#clientsGrid").getValue();
        for (var i=1; i <= aValues[0].length; i++) {
            $("#clientsGrid").setValue("", 1, i);
        }
    } );

    grid.onAddRow()

    Note: The grid.onAddRow() method has restrictions on how grid rows are created or edited in a different dialog in ProcessMaker Mobile. Therefore, it is strongly recommended to use the method grid.onShowRowDialog(row,grid,index,rowModel) if working with ProcessMaker Mobile.

    grid.onAddRow() sets a custom event handler to be fired when a new row is added to a grid.

    $("#gridId").onAddRow(function(newArrayRow, gridObject, indexAdd) { //custom code here })

    Parameters in the custom event handler function:

    • aNewRow: An array of jQuery objects for each control in the new row that was added to the grid. The first control in the added row can be accessed as aNewRow[0], the second control as aNewRow[1], the third control as aNewRow[2], etc.
    • oGrid: The Backbone object for the grid that includes the new row that has been added.
    • rowIndex: The number of the new row, where the first row is 1, the second row is 2, etc.

    Example:

    Using the "clientsGrid" from above, the following code adds an event handler function that is executed when a new row is added to the grid. If an even row is added it automatically marks the checkbox, which is the third control in the row, so it can be accessed as [2] in the array of controls in the new row. It also sets the background color of the entire row to orange to draw the user's attention.

    $("#clientsGrid").onAddRow(function(aNewRow, oGrid, rowIndex) {
        //if an even row in the grid
        if (rowIndex % 2 == 0) {
            //mark the checkbox:
            aNewRow[2].setValue("1");
            //set the background color of the new row to orange:
            aNewRow[2].el.parentNode.parentNode.style.backgroundColor = "orange";
        }
    });

    Note that aNewRow[2] is the jQuery object for the checkbox, whereas aNewRow[2].el is the DOM object for the checkbox.

    grid.onShowRowDialog()

    Note: This helper is designed to work only when running Dynaforms on ProcessMaker Mobile.

    grid.onShowRowDialog() sets a custom event handler to be fired when a new row is added to a grid and the Add/Edit pop-up is displayed.
    This method is equivalent to the grid.onAddRow() method.

    $("#gridId").onShowRowDialog(function(row, gridObject, index, rowModel) { //custom code here })

    Parameters in the custom event handler function:

    • row: An array of views corresponding to the controls in the grid. The order of the elements in the array is given by the order of the elements in the grid. The first control in the added row can be accessed as aNewRow[0], the second control as aNewRow[1], the third control as aNewRow[2], etc.
    • grid: The grid object.
    • rowIndex: When adding items, this value is the number index of the new row that is about to be created. When editing items, this value will be the row index of the element edited.
    • rowModel: The grid row model. This parameter is null for new rows because these rows do not exist in the grid yet.

    Example:

    The following example creates a dependency between a dropdown in a form and a dropdown inside a grid. When the first dropdown in the form changes, the second dropdown located in the grid will list options related to the value selected in the first dropdown.

    First, create a Dynaform with a dropdown control and a grid control. Inside the grid control, place a textbox control and a second dropdown control as shown in the image below:

    Create a string variable with the following options and assign it to the "Country" dropdown.

    To trigger the dependency from the external value and to facilitate the dependency inside the grid, the textbox field will be used to store the value selected in the "Country" dropdown.

    Select the "States" dropdown and define a SQL SELECT statement to populate the "States" dropdown options with values from the wf_<workspace>.ISO_SUBDIVISION table of the PM_database.

    The ISO_SUBDIVISION table is part of the ProcessMaker database. This table is created and populated with data about the provincies in countries by default when ProcessMaker is installed.

    In the SQL Editor, place the following SQL code. This code selects the states of a country based on the textbox field value.

    SELECT IS_UID, IS_NAME FROM ISO_SUBDIVISION WHERE IC_UID = "@#text0000000001"

    Finally, click on the empty space of the Dynaform to display its properties on the left side of the screen. Then, click on the "edit" button in the javascript property.

    Add the following code in the Javascript window:

    $("#gridVar").hideColumn(1);  //hide the extra country column
    //---attach event to update each extra country with the value of the country dropdown when it changes---//
    $("#Country").setOnchange(function(newValue){
        iRows = $("#gridVar").getNumberRows();
        for (i = 1; iRows >= i; i++) {
            $("#gridVar").setValue(newValue,i,1);
        }
    });
    //---attach event handler to copy the "Country" value when new rows are added---//
    $var = PMDynaform.getEnvironment();  //identify if the application is running in Mobile or Web
    if ($var.indexOf("android") >= 0) {    //if mobile
        $("#gridVar").onShowRowDialog(function(row,grid,index,rowModel){ //attach the event handler when the row pop-up is displayed
            //row[0] is the first element of the grid, "auxiliar country"
            row[0].setValue($("#Country").getValue()); //set the "country" dropdown value in the "auxiliary country" field
            row[0].$el.hide();  //hide the "auxiliary country" field
        })
    } else { //if Web
        $("#gridVar").onAddRow(function(newArrayRow, gridObject, indexAdd){ //attach the event handler when the row is created
            $("#gridVar").setValue($("#Country").getValue(),indexAdd,1); /set the "country" dropdown value in the "auxiliary country" field
        });
    }

    This code adds an event handler function that is executed when a new row is added into the grid. It uses PMDynaform.getEnvironment() to identify the environment where the case is running. If the case is running on ProcessMaker Mobile for Android, it will use the grid.onShowRowDialog() method. Otherwise, the grid.onAddRow() method will be used.

    Now, let's run the case in the ProcessMaker Web Version. If you click on the "Country" dropdown to select an option, the "States" dropdown will display a list of options based on the selected country.

    Let's run the case on ProcessMaker Mobile and tap the "Country" dropdown to select an option. In this example, the "United States" option is selected.

    When adding a new row to the grid, the "States" dropdown in the pop-up window will display a list of states belonging to the country "United States".

    grid.onDeleteRow()

    grid.onDeleteRow() sets a custom event handler to be fired when a row is deleted from a grid.

    $("#gridId").onDeleteRow(function(oGrid, aRow, rowIndex) { //custom code here })

    Parameters in the custom event handler function:

    • oGrid: The Backbone object for the current grid that has already had the row removed.
    • aRow: The row that was deleted from the grid. It is an array that encloses an array of jQuery objects for each control in the row. The first control in the deleted row can be accessed as aRow[0][0], the second control as aRow[0][1], the third control as aRow[0][2], etc.
    • rowIndex: The index number of the deleted row, where the first row is 1, the second row is 2, etc.

    Example:

    Using the "clientsGrid" from above, the following code adds an event handler function that is executed when a row is deleted from the grid. When a row is deleted, the custom event handler function takes the value in the "clientName" field, which is the first control of the deleted row, and adds it as an option in a dropdown box with the ID "selectClient" that is located outside the grid.

    $("#clientsGrid").onDeleteRow(function(oGrid, aRow, rowIndex) {
        //get value from the "clientName" field in the deleted row
        var clientName = aRow[0][0].getValue();
        //if not empty name, then add as option in the "selectClient" dropdown
        if (clientName != "") {
            var opt = document.createElement("OPTION");
            opt.text  = clientName;
            opt.value = clientName;
            $("#selectClient").el.options.add(opt);
        }
    });

    grid.disableValidation()

    The grid.disableValidation() method deactivates the validation of a column of fields inside a grid when the form is submitted. Executing this method prevents a form from checking whether a column of fields in a grid has the required values, and prevents the form from checking whether the fields' values match its validate expression. Note that if the field is not required and does not have a validate expression, then this method has no effect.

    $("#gridId").disableValidation(colIndex)

    Parameter:

    • colIndex: The index number of the column to hide, where the first control is located in column 1, the second control in column 2, etc.

    Example:

    Using the "clientsGrid" from above, the following code checks to see whether the value of the "amount" field is less than 500 when it is changed. If it is less than 500, then it disables the validation of the fourth column of the grid (which holds the "contractFile" field), so the user doesn't have to upload a contract file.

    $("#amount").setOnchange(function(newVal, oldVal) {
        //if "amount" field is less than 500
        if (newVal < 500)
            $("#clientsGrid").disableValidation(4);
        else  // if >= 500
            $("#clientsGrid").enableValidation(4);
    });

    grid.enableValidation()

    The grid.enableValidation() method activates the validation of a column of fields inside a grid when the form is submitted. This method turns on validation, so that the values in a column of fields will be checked if the grid field is marked as required and/or its values match its validate expression.

    $("#gridId").enableValidation(colIndex)

    Parameter:

    • colIndex: The index number of the column of fields where validation will be enabled, where the first control is located in column 1, the second control in column 2, etc.

    Note This method cannot be used to make a field required or to add a validate expression to a field. The field must already be marked as required and/or must have a validate expression in its fixed properties. This method just reactivates the validation after the disableValidation() method has turned off the validation. If needing the validation of a grid column to be turned off by default, then execute grid.disableValidation() when the Dynaform initially loads and then execute grid.enableValidation() at some later point during an event. See the code below for an example.

    Example:

    Using the "clientsGrid" from above, the following code enables the validation of the second column of the grid (which holds the "clientName" field) if the "requireName" checkbox is marked. If unmarked, then it disables the second column.

    //turn off validation of the clientName field in the grid when the Dynaform loads:
    $("#clientsGrid").disableValidation(2);

    //turn on/off the validation if the "requireName" checkbox is marked:
    $("#requireName").setOnchange(function(newVal, oldVal) {
        //if "requireName" checkbox is marked.
        if (newVal == '["1"]' || newVal == "1")
            $("#clientsGrid").enableValidation(2);
        else  // if checkbox is unmarked
            $("#clientsGrid").disableValidation(2);
    });

    grid.hideColumn()

    The grid.hideColumn() method hides a column in a grid.

    $("#gridId").hideColumn(colIndex)

    Parameter:

    • colIndex: The index number of the column to hide, where the first control is located in column 1, the second control in column 2, etc.

    Example:

    Using the "clientsGrid" from above, the following code shows the fourth column of the grid (which holds the "contractFile" field) if the "uploadContracts" checkbox is marked. If unmarked, then it hides the fourth column.

    $("#uploadContracts").setOnchange(function(newVal, oldVal) {
        //if "uploadContracts" checkbox is marked in all versions of PM 3
        if (newVal == "1" || newVal == '"1"' || newVal == '["1"]') {
            $("#clientsGrid").showColumn(4);
        }
        else {     // if checkbox is unmarked
            $("#clientsGrid").hideColumn(4);
        }
    });

    grid.showColumn()

    The grid.showColumn() method shows a column in a grid.

    $("#gridId").showColumn(colIndex)

    Parameter:

    • colIndex: The index number of the column to show, where the first control is located in column 1, the second control in column 2, etc.

    Example:

    See the example for grid.hideColumn().

    grid.getSummary()

    The grid.getSummary() method returns the summary of a grid column that has been summed or averaged. The column can be specified by the ID of its grid control:

    $("#gridId").getSummary("columnId")

    Alternatively, the column can be specified by the number of the column in the grid. Remember that columns start counting from the number 1.

    $("#gridId").getSummary(column)

    Example:

    The following grid with the ID "officeSupplies" sums the "cost" field of the office supplies in the 5th column.

    This code obtains the summary where the total cost is calculated and checks to see whether it is less than $500 before submitting the Dynaform.

    $("#1962056655756ea96035120018857913").setOnSubmit(function(){
        var totalCost = parseFloat($("#officeSupplies").getSummary("cost"));
        if (totalCost > 500) {
            alert("Please reduce the total cost of Office Supplies\nwhich is $" +
                totalCost + " to less than $500.")
            return false; //stop submit action
        }
        else {
            return true;  //allow submit action
        }
    } );

    Known Issues - grid.addRow() and grid.setValue()

    Take into consideration the following known issues:

    • Both methods do not work with links.
    • In Mobile, dropdown controls are displaying the stored value (key) for the selected option instead of related text. For example, if the user applies the following code grid.addRow(['BO']) to a dropdown control that lists countries, the mobile grid shows BO instead of Bolivia.