phpGrid is an operating system independent PHP library. It runs on Windows, Linux, and even IBM i as long as the following criteria are met:
PHP 7 and higher
Apache, Tomcat, Ngnix or Microsoft IIS webserver
Major relational databases: MySQL/MariaDB, PostgreSQL, SQL Server, Oracle, DB2, SQLite, Access etc.
If you are new to Apache/PHP/MySQL, consider XAMPP or WAMP. Either installs Apache, PHP, and MySQL in one batch installation and requires almost no configuration for both Windows and Linux operating systems.
Database: All Modern Relational Database (thru ADOdb)
Since the major system architecture shift in phpGrid version 4, the new version abandons the old programming model which heavily relies on server side scripting, both in rendering and data operations. Much of the datagrid rendering now resides on the client side browser using jQuery and jqGrid. The server side is solely responsible for data CRUD operations. The new version is much more scalable than the previous generation, It also offers more features, such as subgrid and theme roller.
PHP web-based editable datagrid now can be achieved in two lines of code rather than five lines in the previous version. It also use Cascading Style Sheets, or CSS, extensively for display related tasks, a perfect balance between simplicity and features.
phpGrid supports all major databases and all major web browsers.
This is the easiest method for installing phpGrid on your web server. It is the recommended for installing Lite version. Simply extract phpGrid zip file into the web folder, and run install.php from the browser. For example http://localhost/phpGrid_Lite/install.php.
Be sure conf.php is writable or installation will fail.
X
For demo, the only database type supported is MySql. Enter database hostname, username and password in the form, and choose wether to create a new database or not, then hit Install button.
Upon successful demo install, you will be redirect to the demo explorer where one can check out list of live examples and their source code.
Manual Install
If you choose to manual install, first and foremost, download the phpGrid and extract the zip file somewhere on your web server.
Install Sample Database
You can find the sample database script for our demo in examples/SampleDB folder.
Configuration
Before you begin coding using phpGrid, you must specify database information in conf.php. conf.php is our phpGrid configuration file in which we specify database connection parameters and path to the phpGrid.
Starting phpGrid version 6, The constant names prefixed with “PHPGRID_” to avoid potential naming collision. Please note that in PHP the method name and parameters are case sensitive.
define('PHPGRID_DB_HOSTNAME','hostname');// database host name or TNS name (Oracle only) define('PHPGRID_DB_USERNAME','username');// database user name define('PHPGRID_DB_PASSWORD','password');// database password define('PHPGRID_DB_NAME','sampledb');// database name define('PHPGRID_DB_TYPE','mysql');// database type define('PHPGRID_DB_CHARSET','utf8mb4');// OPTIONAL. Leave blank to use the default charset
define('DB_HOSTNAME','hostname');// database host name or TNS name (Oracle only) define('DB_USERNAME','username');// database user name define('DB_PASSWORD','password');// database password define('DB_NAME','sampledb');// database name define('DB_TYPE','mysql');// database type define('DB_CHARSET','utf8mb4');// OPTIONAL. Leave blank to use the default charset
For PHPGRID_DB_CHARSET, before MySQL 5.5.3 or earlier, use utf8. Use utf8mb4 for later version. Leave it blank if you are not sure to use default character set.
Hint:
If you need Emoji, then you need ‘utf8mb4’ character set 😁
Once values in conf.php are set, simply reference phpGrid by adding the following at on top of your PHP code:
1
require_once("phpGrid/conf.php");// relative path to conf.php without leading slash
– or –
1
require_once(realpath($_SERVER["DOCUMENT_ROOT"])."/phpGrid/conf.php");// absolute path to conf.php
Database Type
phpGrid supports wide range of database types. Simply define PHPGRID_DB_TYPE parameter value to your own database type. It can be one of the following strings. The default database type for phpGrid is “mysql”. PHPGRID_DB_TYPE string is case sensitive.
A full list of supported databases and naming convention are available in ADOdb website. Not required but we encourage users to visit ADOdb website. It helps you understand how phpGrid utilizes it under the hood. phpGrid now supports local array data source without using a database.
PHP Grid Oracle 9, 10g, 11g, 12c
When using PHP datagrid for Oracle database with TNS (Transparent Network Substrate), replace the database host name with the TNS Name in conf.php e.g.
SQL Sever needs to use Mixed Authentication (SQL Server and Windows Authentication) mode to include SQL Server Authentication because the default authentication is Window authentication.
Below is a common error when SQL Server authentication is not enabled
1
Fatal error: Uncaught TypeError: sqlsrv_query(): Argument #1 ($conn) must be of resource, bool given
Following SQL Server official document to change SQL Server authentication mode: Change SQL server authentication mode. We recommend SMSS (SQL Server Management Studio) if you are more conformable with a graphic user interface.
In conf.php, SERVER_ROOT is the value tells your script where to find phpGrid library on web server. By default, it sets URL absolute directory path to phpGrid library automatically with the following script, so you don’t have to.
SERVER_ROOT value is the URL to the phpGrid library folder subtracts the host name. For instance, if the URL to get to the phpGrid is http://www.yoursite.com/phpGrid, or http://localhost/phpGrid, the SERVER_ROOT should be “/phpGrid” – with leading slash.
Another example, if the URL to phpGrid is http://www.yoursite.com/admin/phpGrid, or http://localhost/admin/phpGrid, the SERVER_ROOT should be “/admin/phpGrid” – with leading slash,
Starting version 7.5.3, phpGrid incorporates Composer as the package manager to manage popular dependencies such as ADOdb, PHPSQLParser, etc. The goals to gradually migrate to Composer for all dependencies. It ensures the dependencies can be updated by end users directly without going through phpGrid’s support, and also importantly without bloating the downloads.
Composer install is required for both web-based and manual install.
X
Simply run the following install command in phpGrid root folder
$sql: SQL SELECT statement. This is the only SQL statement users’ needs to implement. The SELECT statement must include the primary key as one of the columns if not using the wildcard start (*) in SELECT statement.
This parameter can also be the name of a stored procedure (version 7.5). In that case, the 2nd parameter is an array containing parameters value.
$sql_key: The name of the database table primary key. The default is “id”.
Starting version 6, phpGrid supports composite primary key (Requires commercial licenses) by simply passing an array of string as $sql_key.
Note that composite PK is not supported as foreign key referential in master/detail and subgrid.
$sql_table: Name of the database table used in the SQL statement. If not defined, the table name is automatically parsed from the SQL statement.
$db_connection: Optional. Since version 4.3, the fourth parameter was introduced and used to overwrite connection parameters in conf.php. It allows datagrid to reference to a different data source on the fly. See Reference to Multiple Databases example for more information on this parameter. If you have only one database, you can safely ignore this parameter.
Description:
This is our datagrid object constructor. Use this method to create the phpGrid object. Usually, this is the first line in your code.
Example:
Do NOT include WHERE clause in $sql. Instead use set_query_filter() method (version 4.2+) to set query filter. If not using the wildcard star(*), the SELECT statement MUST include the primary key as one of the columns.
X
Single primary key:
1
$dg=new C_DataGrid("SELECT * FROM Orders","orderNumber",'Orders');
– OR –
1
$dg=new C_DataGrid("SELECT * FROM Orders",array("orderNumber"),'Orders');
Composite primary key (commercial licenses only)
1
$dg=new C_DataGrid("SELECT * FROM orderdetails",array("productCode","orderNumber"),"orderdetails");
$WHERE: Sql WHERE statement to select data conditionally (DO NOT include WHERE keyword).
Description:
The query filter is essentially the WHERE clause without the WHERE. The method adds WHERE condition an existing Sql SELECT statement. Use this method if you have WHERE clause in your SQL statement. You should use the same SQL syntax, such as single quotes around non-numeric values, and even SQL functions.
Remark:
NEVER include keyword “WHERE” the filter. phpGrid automatically adds WHERE to the query.
Use only SINGLE QUOTE around the filtered value.
When using table alias, also include the new table alias
Example:
1
$dg->set_query_filter("status='Shipped' AND YEAR(shippedDate) = 2003");
Using Table Alias
When using table alias, please also include the table alias as part of the filter. Otherwise, the full table name is automatically inserted as part of the query which would throw “Unknown column in ‘where clause” error.
* Please note this feature is only available in paid versions. CELL edit is only available in the commercial licenses
Parameters:
$edit_mode: FORM, INLINE, or CELL. The default is FORM.
$operations: specify allowed datagrid edit operations. By default, all edit operations are allowed.
C = Create
R = Review
U = Update
D = Delete
$edit_file: Optional. Use a custom edit file other than the default “edit.php”. Do not set this parameter unless you ABSOLUTELY know what you are doing!
Description:
When Form edit mode is used, additional icons appear in the data grid footer used for editing. When set to inline mode, the cells in the selected row become editable when the row is clicked. Only a single row can be edited for either mode.
Remark:
Multiple records can be deleted when multiple select is enabled. See set_multiselect() for more information on this method.
For inline edit, the user must press Enter key to save changes
In FORM edit mode, double click triggers the popup edit window to display. In INLINE edit it is a single click to edit, similar to how Excel works. This is a design decision.
When edit mode set to ‘CELL’, the datagrid will behave like an Excel spreadsheet. It is advisable to also enable keyboard navigation with enable_kb_nav().
Example:
1
$dg->enable_edit('FORM','CRU');// Everything is allowed but delete
It’s also possible to load a custom form in an iframe in a modal window with your own custom CRUD scripts.
Quick Tip: Keep the edit form open after submit
To keep form open after submit, add the following javascript to override ‘closeAfterEdit’ value before </body>. Double click to edit a row, and form will remain open after edit.
* In Basic edition, export feature is limited to non-lookup tables only
Parameter(s):
$type: Export type can be EXCEL, EXCELXML, PDF, CSV, or HTML. The default is EXCEL, the native .xls format. EXCELXML is the OpenOffice .xml format.
$PDF_logo: Array. Requires commercial license 6.53+. It contains properties for
image logo file path,
width (optional)
height (optional)
static text (optional)
Description:
When export is enabled, the export icon appears in the grid footer. The datagrid can be exported in EXCEL, PDF, CSV or HTML format. The Excel is exported in native Excel XML format. More formats will be supported in the future.
PDF export can take one array parameter for its logo. The second parameter can have logo file path, and optional width and height. When width and height are not defined, their values are based on 1/4 of actual logo image integer dimension.
Example:
1
$dg->enable_export('EXCEL');
Export in PDF with a logo image (PDF logo requires commercial license 6.53+)
1 2 3
$count=$dg->db->num_rows($dg->db->db_query('SELECT * FROM orders')); $pdf_prop=array(realpath('../logos/phpgrid-logo.jpg'),50,15,$count); $dg->enable_export('PDF',$pdf_prop);
$is_resizable: boolean value indicating whether the phpGrid is resizable.
$min_w: minimum resizable width of the datagrid. The default is 350 pixel.
$min_h: minimum resizable height of the datagrid. The default is 80 pixel.
Description:
When $is_resizable is set to true, the small triangle shaped icon is displayed at the right bottom corner of the php data grid. The grid can be resized by simply click and drag the icon using mouse. This is more convenient than setting the width and height by programming.
Remark:
The method utilizes jQuery UI library. This is currently an experimental feature.
$render_content: Optional. True or false. Render content to screen, default value is set to true.
Description:
This is the method to call to display the datagrid. This is usually the last method to call. It automatically stores the output to output buffer first before rending the data grid.
Remark:
Unless used together wtih get_display(), it’s not necessary to supply a parameter value.
Note: this method is going to be deprecated in the future. Please use DEBUG global constant instead.
Parameter(s):
$debug: boolean value indicating whether to display debug message
Description:
Enable debug displays phpGrid object as well as the current PHP session information. In addition, XMLHttpRequest, or AJAX, response data is displayed that occurs during CRUD operations. This is helpful debugging information can be used during development.
It also display the phpGrid version number and associated javascript libraries used.
Remark:
Make sure this method is not called, or the $debug parameter is set to false, when deployed in production.
$can_search: boolean. When set to true, the search icon displays in the footer, and the integrated search is toggled when the icon is clicked.
$auto_filter: Array. List of fields used for Excel-like auto filter (Local array data source only. version 6.52+)
Description:
The integrated search provides an intuitive interface for searching data within the datagrid. The user can search one or multiple fields. No additional programming is required. The datagrid is automatically refreshed and repopulated with results returned from the query through AJAX.
Remark:
The integrated search is toggle off by default. Click on the Search button in the footer to toggle on the integrated search. To toggle search on by default. Please see this KB.
The second parameter is a paid feature only that auto-generates filters based on field contents. It’s similar to how Excel auto filter works. It works with local array data source only where data are loaded at once.
$caption | false: the text for the grid caption. Set to false to completely hide the caption.
Description:
When set, this method displays text above the column header as the datagrid caption. When this method is not called, phpGrid sets the table name as the default caption. For example, the caption will be displayed as “Orders” when the table name is “Orders”.
Remark:
When caption is set to false, the space used for displaying caption will be hidden, leaves only the column header, grid, and the footer. To display the caption without any text, uses ” ” without the quote.
Example:
1
$dg->set_caption(false);// this will hide the caption
$prefix: currency prefix. The default is USD symbol, $
$suffix: currency suffix. The default is blank.
$thousandsSeparator: The character as the thousands separator. The default is the comma character “,”.
$decimalSeparator: The character as the decimal separator. The default is the dot character.
$decimalPlaces: The number of digital is displayed after the decimal point. The default is two.
$defaultValue: The value display when the value return from database is null or empty string. The default is 0.00
Description:
This is helper method to display currency value. It formats column as currency when displayed. The value is automatically unformatted during CRUD operations.
How to enter comma as decimal separator during data entry
The function set_col_currency() is a specialized formatter for displaying currency only. During data entry, it is still required to use the dot/period symbol is as the decimal separator.
To allow some countries that use a comma (,) instead of decimal to indicate that separation, a common workaround is replacing “,” with “.” as soon as “,” is entered during data entry using jqGridAddEditAfterShowForm event handler that evokes onkeyup javascript keyboard event.
1 2 3 4 5 6
$afterShowForm=<<<AFTERSHOWFORM
function (){
$("#MSRP").attr("onkeyup","replacekomma()");
}
AFTERSHOWFORM; $dg->add_event("jqGridAddEditAfterShowForm",$afterShowForm);
$baseLinkUrl: The base URL. e.g. “http://www.example.com”
$dynaParam: Name of a single data field OR an array of multiple fields. The default is “id” if omitted.
$staticParam: Optional. Parameters with static value in addition to $dynaParam. They are added to the end of the URL string. e.g. “&foo=bar”
$target: Optional. This sets the value of the hyperlink “Target” attribute. The available options are:
_new
_blank
_top
_parent
$prefix: prefix to hyperlink
Description:
This method sets a specific column to display HTML hyperlink URL based on dynamic values. It is different from set_col_link() method where it is simply a static link stored in a data field.
Remark:
Developers should always check the validity of the dynamic URL constructed when using this method.
Example:
1 2 3 4
// a single dynamic field as $dyanParam parameter $dg->set_col_dynalink("productCode","http://www.example.com/","orderNumber",'&foo=bar',"_top"); // an array of multiple dynamic fields as $dynaParam parameter $dg->set_col_dynalink("productCode","http://www.example.com/",array("orderNumber","customerNumber","price"),'&foo=bar',"_top");
$ctrl_type: HTML control type. A list of valid controls are:
text
textarea
select
checkbox
password
button
autocomplete – New!
For enum type, use select as edit type and pass hard coded key:value pair as 3rd parameter
$keyvalue_pair: This parameter is only required when the $ctrl_type is type “select” or “checkbox”. It essentially represents list of value key pairs in the dropdown. e.g. “1:San Francisco;2:Boston;3:NYC”. It is ignored if the control type is not “select”.*
Hint: add “:;” (colon semicolon) to the front of the the key value pairs to add a blank dropdown option. Make sure there is no trailing semi-colon.
v4.2 Update:
You can now use values from a database lookup table to bind the dropdown. Simply pass SELECT statement for the $keyvalue_pair when the $ctrl_type is “select”. For example: SELECT key, value FROM FOO
X
$multiple: This parameter is only used when control type is “select”. It indicates whether multiple items can be selected in the list of options. The values are passed and stored as a comma delimited string. e.g. “1,2,3”. For single value “select”, this is not required.
$dataUrl: If your lookup table has more than 100 elements (a hard limit set in function), it is recommended to use this parameter. This option is valid only for elements of type “autocomplete” and should be the URL to get the AJAX data for the select element. The data is obtained via an AJAX call and should be a valid HTML select element with the desired options <select><option value=’1′>One</option>…</select>. You can use option group. The AJAX request is called only once when the element is created. In the inline edit or the cell edit module it is called every time when you edit a new row or cell. In the form edit module only once.
Description:
Set control of a specific column used for grid editing. It displays HTML input tag of different type accordingly e.g. <input type=”text” />, <input type=”textarea” /><
Remark:
Text and textarea are set automatically based on the database access library ADOdb metatype as the default edit control. Users do not need to understand how ADOdb works since phpGrid took care all the plumbing work internally. Isn’t that nice?
Example:
1 2 3 4
$dg->set_col_edittype("officeCode","select","1:San Francisco;2:Boston;3:NYC",false); $dg->set_col_edittype("isActive","checkbox","1:0"); // bind dropdown menu to a lookup table $dg->set_col_edittype("officeCode","select","Select officeCode,city from offices",false);
An example that uses $dataUrl to filter potentially large sets of data in select options.
1 2 3
$dg->set_col_edittype("officeCode","autocomplete", array('sql'=>'Select officeCode,city from offices150k', 'ajaxDataUrl'=>'sample-select-dataUrl.php'),false);
$formatoptions: PHP array stores format options of different formatting.
Description:
Although this method is purely for cosmetic purpose, it is very useful and also practical in many situations when displaying different type of data.
Depending on the type of format, it could have different format options. In most cases, users only need to set column formatting for “integer”, “number”, and “mail” using this method. For “currency’, “link”, and “showlink” formats, phpGrid provides a number of helper functions to make formatting simpler and easier. They are
The helper functions will be covered later in the documentation.
For type “date”, users don’t have to do anything for formatting. The format is automatically set to “date” when the database data field type is date or datetime.
In addition, the formats are automatically set as “checkbox” or “select” if the edit type is checkbox or select defined in set_col_edittype().
Remark:
Though all of the formattings can be done in this method, it is recommended to use helper functions whenever possible. phpGrid ensures the formatting is automated as much as possible. Automation means less coding, and thus less room for error. Simplicity is what phpGrid strives for.
$col_name: Comma delimited one or more column names
$edithidden: Boolean value indicating whether the column is editable. The default value is set to true. This only applies when the edit mode is “FORM”. A hidden column cannot be editable in “INLINE” edit mode.
Description:
Hide a column in datagrid when displayed
Remark:
You can hide more than one columns at a time (version 7.1.5+).
To hide column in both datagrid and form, set the second parameter to false
Very Important:
The data are still sent to the browser but hidden using CSS display:none. For sensitive data such as passwords and SSN etc, do not use this method, instead do not include those fields in your SQL at all.
Example:
1 2 3 4 5 6 7 8
// hide only in grid display $dg->set_col_hidden('employeeNumber');
// hide in both gird and edit form $dg->set_col_hidden('DOB',false);
// hide more than one columns at once (version 7.1.5+) $dg->set_col_hidden('column1, column2, column3, column4, column5',false);
Tip:
To do the reverse, meaning to have a field appear in grid, but not in the form, use set_col_property set editable to false and hidedlg to true.
Display as image for a data field in data grid. The 2nd parameter specifies the base path to the image file.
Example:
Assuming the productImag value is “abc.jpg“,
The image file ‘abc.jpg’ is stored under ‘path-to-images’ folder on web server.
So the direct full URL to the image would be something like this
1
https://www.example.com/path-to-images/abc.jpg
The following will render a img tag similar to <img src=”/path-to-images/abc.jpg”>. The 2nd parameter “/path-to-images/” form the base path to the “abc.jpg”.
To allow add for read-only field when adding new records, use “jqGridAddEditAfterShowForm” event, and conditionally remove the “disabled” attribute based on operand, which is either “edit” or “add”.
$height: Datagrid height. The default is 100% which expanses grid vertically to the entire browser height
$shrinkToFit: true or false. If set to false, horizontal bar will appear when the total width of grid is wider than the dimesion width. The default is true.
Description:
Set the overall height and width of phpGrid
Remark:
It is recommended to set $shrinkToFit to false when there are a large number of columns to display.
Manually set URL used for editing. The default URL is edit.php. phpGrid takes care all of data insert, delete, and update in edit.php. No coding is required.
Remark:
Only use this method when the users need to manually handle data update using custom save routine.
It’s the same as setting the 3rd parameter in enable_edit() method.
* Please note this feature is only available in Premium and higher licenses.
Parameter(s):
$obj_grid: phpGrid object as the detail datagrid
$fkey: Foreign key of the detail grid to the master datagrid.
$m_fkey: Foreign key of the master grid to the detail grid. It’s optional when $fkey and $m_fkey have the same column name. (supported since version 7.1)
Description:
This method sets the master detail, or the parent child, relationship between datagrids.
The phpGrid went the extra mile to make creating the master detail datagrid a simple task for developers. The primary key value of master datagrid is automatically retrieved when a user selects a row. The value is used as the foreign key for the detail datagrid. The detail datagrid renders dynamically based on the row selected in the master grid.
Remark (important):
The detail grid is a regular phpGrid object and can have the same methods like any other phpGrid, such as description title, sort, and update etc. A master detail can have one or more detail datagrid.
The foreign key, or $fkey, does NOT necessarily have to have the same name as the master table primary key, as long as the same name exists in both master and detail tables.
When foreign keys don’t have the same name, you should use SQL aliasin the master grid. However, if the grid is editable, it’s important to call set_col_readonly() and seike>e new alias to be read only. the 3rd parameter to reference to the foreign key from the master datagrid.
By leaving the foreign key field blank in detail grid, master grid will prefill its detail grid with the value of the foreign key before the new record is saved/inserted to the database table. Or simply hide the entire foreign key column (Version 4.5.5 and above only).
Example:
When the master detail reference keys have the same name, the 3rd parameter can be omitted.
1 2 3 4
// orderId exists in both master table(Orders) and detail table(OrderDetails) $dg=new C_DataGrid("SELECT orderId, orderDate, customerId FROM Orders","orderNumber","Orders"); $sdg=new C_DataGrid("SELECT lineId, orderId, productCode, price FROM OrderDetails","lineId","OrderDetails"); $dg->set_masterdetail($sdg,'orderId');
Use the 3rd parameter when the keys to reference have different name in master and detail tables.
1 2 3 4 5
// productId is SQL alias to productNo in master table(ProductParts), then used as foreign key to link to detail table(Products). $dg=new C_DataGrid("SELECT partNo, partName, productNo FROM ProductParts","partNo","ProductParts"); $dg->enable_edit('INLINE','CRUD')->set_col_readonly("productId"); $sdg=new C_DataGrid("SELECT productId, productName, productDescription FROM Products","productId","Products"); $dg->set_masterdetail($sdg,'productId','productNo');
$multiselect: Boolean value indicates whether the multiselect is allowed
$multipage: Boolean. Persisted selection following pagination
Description:
When parameter $multiselect is set to true, a checkbox is shown to the left of each row. It is currently only used for enabling deleting multiple records. More functions will be added to this feature in the future.
Use vertical scroll to load data. The datagrid will not load everything at once and will hold all the items from the start through to the latest point ever visited. This prevents memory leaks from happening.
Remark:
Pagination is disabled when scroll is set to true.
The default height is 400 when scroll is true and should never be ‘100%’.
The method displays inline detail grid rather than in separate datagrid table. It is very similar to set_masterdetail(). When ignored, phpGrid assumes that m_fkey has the same value as the s_fkey.
The $m_fkey value from the master datagrid is automatically retrieved when a user selects a row. The value is passed to the pop-up Add form in the subgrid. ( supported since 7.1.5)
1 2 3
... $dg->set_subgrid($sdg,'sales_rep','id'); ...
Remark:
Edit is currently not supported in subgrid.
Nested subgrid is currently not supported, Nested/drill-down subgrid is now supported (version 6+).
The order of the 2nd and 3rd parameter matters,
When the subgrid is the same table(self-reference, in database term) as the master grid, subgrid must use a different table alias in select statement using set_jq_gridName().
All the grid properties and method should be called BEFORE set_subgrid is called.
Due to the calling sequence, the enable_edit() should be called BEFORE set_subgrid() method, or edit properties will be ignored.
Example:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17
$dg=new C_DataGrid("SELECT * FROM orders","orderNumber","orders"); $dg->enable_edit("INLINE","CRUD");
// 2nd grid as detail grid $sdg=new C_DataGrid("SELECT * FROM orderdetails",array("orderLineNumber","productCode"),"orderdetails"); $sdg->enable_edit("INLINE","CRUD");
// 3rd grid as detail grid. $sdg2=new C_DataGrid("SELECT * FROM products",array("productCode"),"products"); $sdg2->enable_edit("INLINE","CRUD");
// passing the detail grid object as the first parameter, then the foreign key name. // set_subgrid should be the last method to call before display $sdg->set_subgrid($sdg2,'productCode'); $dg->set_subgrid($sdg,'orderNumber');
Starting version 6.6, phpGrid will automatically resize column width based on its content during page load. Users can also double-click a column divider to resize a column.
X
Parameters:
$col_name: column name
$width: width
Description:
Specify column width in pixel. The width should be an integer value.
$has_adsearch: boolean value. Set true to enable advanced search
Description:
Advanced search is different from the integrated search (see enable_search()). It can apply mulitple conditionals to a single field during advanced search. It is super flexible and easy to use.
$locale: language locale. List of values are: bg, cat, cn, cs, de, dk, el, en, fa, fi, fr, he, hu, is, it, ja, nl, no, pl, pt, ro, ru, sp, sv, tr, ua.
Description:
If you are using phpGrid in a language rather English, you may want the datagrid to display appropriate system text used by phpGrid such as “Submit”, “Next”, “Page”, “Find” etc. The language locale files are located in js\src\i18n directory.
* Please note this feature is not available in Lite and Basic versions.
Parameters:
$col_name: column name
$type: CELL or ROW
$formatoptions: array that stores condition and css style options
Description:
Format a cell based on the specified condition. CELL formats the a single cell. ROW formats the entire row.
$formatoption is the most important parameter which itself is an array contains three elements:
condition,
value,
css.
The elements are described in details as the following:
The first parameter, condition, has the following available value.
eq: Equals ne: Not Equals lt: Less than le: Less than or Equal gt: Greater than ge: Greater than or Equal cn: Contains nc: Does not Contain bw: Begins With bn: Not Begins With ew: Ends With en: Not Ends With
The second parameter, value, is the comparing value in the right operand.
css parameter in $formattoptions is an array collection that contains css style element for current cell or row.
Example:
1 2 3 4 5 6 7 8 9 10 11 12 13
//Format a cell based on the specified condition $dg->set_conditional_format("orderNumber","CELL",array("condition"=>"eq", "value"=>"10107", "css"=>array("color"=>"#ffffff","background-color"=>"green")));
// Format a row based on the specified condition $dg->set_conditional_format("comments","ROW",array("condition"=>"cn", "value"=>"request", "css"=>array("color"=>"white","background-color"=>"#4297D7")));
* Please note this feature is not available in Lite and Basic versions.
Parameters:
$col_name: Name of the column. Its value is used as the left operand for comparison.
$condition: comparison condition that compares given left and rigth hand operand with comparison operator . e.g. ” > 10 “; ” = ‘abc'”; ” != true ” etc.
$formatoptions: an array stores CSS style format options. The value can be text, HTML, or even CSS class. See example.
TCellValue: value to display when condition is True
FCellValue: value to display when condition is False
Description:
It formats and displays value in a cell when specified condition is met. You can think it as a simplified version to set_conditional_format() method.
Remark:
The condition is not “stackable” for a single column. In other words, only one condition can be applied to any giving column.
Example:
Note that tstyle and fstyle are CSS styles used as the formatoptions.
Use this method to set datagrid width as the same as the current window width.
Automatically resizes based on window width (verison 6+)
Example:
1
$dg->enable_autowidth(true);
Set auto width to expand its container (e.g. body), then followed by setting static width for horizontal scroll. Works the best when the grid has many columns but in a small container.
$add_script_includeonce: true or false. Whether or not to include script header.
Description:
It returns the grid body with options to include script header. It is useful for MVC framework integration such as Joomla! and Drupal.
Remark:
The get_display() function should be called AFTER display() is called so that the grid body and header is saved to an internal output buffer that can be later retrieved by get_display().
Example:
1 2 3 4 5 6 7 8 9
$dg=new C_DataGrid("SELECT * FROM orders","orderNumber","orders"); $dg->display(false);// do not render display $grid=$dg->get_display(false);// do not include required javascript libraries until later with with display_script_includeonce method.
// other page content goes here /* ........................... */
$f_width: form width. The default value is ‘400px’
$f_height: form height. The default is -1 so it is automatically adjusted to number of rows.
Description:
Set edit FORM width and height during edit.
Remark:
The default $f_height value is -1 (negative one) so it is automatically adjusted to number of rows.
The function only can apply to non-bootstrap themes such as ‘aristo’ or ‘cobalt’. For Bootstrap themes, it has no effect as the layout is managed by the Bootstrap framework.
Example:
1
$dg->set_form_dimension('500px');
The function only can apply to non-bootstrap themes such as ‘aristo’ or ‘cobalt’. For Bootstrap themes, it has no effect as the layout is managed by the Bootstrap framework.
* Only available in the Premium & Ultimate version.
Parameters:
$col_name: column name
Description:
Turns simple text field into a word processor by replacing textarea with a rich text editor. Should only be used for text fields that allow a large amount of text such as notes and comment fields.
Remark:
The field must be a text data type. If not, use set_col_edittype and set edit type to “textarea” first.
Example:
1 2
// comments is text data type $dg->set_col_wysiwyg('comments');
1 2
// news is not a text data type $dg->set_col_edittype('news','textarea')->set_col_wysiwyg('news');
Set column default value This option is only valid for Form Editing when adding a new record. Users can override this entry.
Remark:
To set the default value for edit existing records, use beforeEditRowevent. Be sure to set default only when the value is blank otherwise any populated values entered by users would be overwritten.
* Please note this feature is currently only available for commercial licenses.
Parameters:
$col_name: column name that stores file name
$base_url: base URL to the files
$physical_path: specify the physical path to the folder where the files are uploaded. When PHP is installed as Apache module, this parameter is optional.
Description:
The file upload is seamlessly integrated with the edit form using Ajax, no page refresh ever occurred. Files can be uploaded and deleted right within the form.
Remark:
A single file upload per datagrid is allowed.
FORM edit mode only
File system only with valid upload_tmp_dir value in php.ini
Filename column should allow NULL value
$physical_path is automatically obtained if PHP running in Apache module, or MUST be provided as a fallback
When receiving alert message “unexpected token <“, it is your upload folder that doesn’t allow write permission. Please set the folder permission to be writable.
By default, only JPEG files are allowed for file upload, but one can change the upload file extension to include additional file formats in conf.php called ‘UPLOADEXT‘
The 2nd and 3rd parameters are now dropped. Instead the user must set the upload directory value ‘UPLOADDIR’ in conf.php
$newformat: new date form to be displayed, eg. “m/d/Y”
$datepicker_format: datepicker format, eg. “m/d/yy”
Description:
Helper function to format date using PHP date format options (http://php.net/manual/en/function.date.php). MySql always stores date in either ‘YYYY-MM-DD’ or ‘YY-MM-DD’ format. However, we can still change the front-end date display format while conform to its date standards.
Remark:
In most cases, you don’t need to call this method because phpGrid automatically formats the data with corresponding data type including date.
Only use this method in order to display date format that is different from default date format.
// srcFormat: MySql date format is "Y-m-d" // newFormat: Display date format is "m/d/Y" // datepicker: Datepicker date format is "yy-mm-dd"
// Method 1: change date display and datepicker display (used for edit) to Spanish date $dg->set_col_date("orderDate","Y-m-d","m/d/Y","m/d/yy");
// Method 2: change date display and datepicker display (used for edit) to Spanish date $dg->set_col_property("requiredDate", array("formatter"=>"date", "formatoptions"=>array("srcformat"=>"Y-m-d","newformat"=>"m/d/Y"), "editoptions"=>array( "dataInit"=>"function(el) {
$(el).datepicker({
changeMonth: true,
changeYear: true,
dateFormat: 'm/d/yy'
})
}")));
// Display time only. No date. It cannot be edited, so we also made it hidden on the edit form. $dg->set_col_property("shippedDate", array("formatter"=>"date", "formatoptions"=>array("srcformat"=>"ISO8601Short","newformat"=>"g:i A"), 'editable'=>false,'hidedlg'=>true));
// Display datetimepicker. Used when data is DATETIME type. $dg->set_col_datetime("myDateTime");
Change calendar datepicker locale
Using method 2, add the following in datepicker in dataInit in editoptions, replace ‘es’ (Spanish) with locale of your choice.
$size/$cols: If the column is a text box, it’s the size that represents number of characters. If the column is a textarea, it’s the valuefor cols attribute in textarea.
$rows: Optional. Number of rows in a textarea
Description:
Set input text box size or textarea cols and rows values in edit form.
This method allows you to directly manipulate column properties. Since column properties are an array, you can directly change the properties. This is more “closer to the metal” for users who are already familiar with jqGrid colMdel API.
Remark:
This is an advanced method. In most cases, you don’t need to call this method. It does not replace existing helper functions such as set_col_date, set_col_currency, etc. We suggest you use those helper functions if you are new to phpGrid.
This method is also used to create custom formatter. See a custom formatter example using this method.
$dg->set_col_property("orderNumber",array("name"=>"Order Number","width"=>40)); $dg->set_col_property("orderDate", array("formatter"=>"date", "formatoptions"=>array("srcformat"=>"Y-m-d","newformat"=>"m/d/Y")));// display different time format
// Display time only. No date. It cannot be edited, so we also made it hidden on the edit form. $dg->set_col_property("shippedDate", array("formatter"=>"date", "formatoptions"=>array("srcformat"=>"ISO8601Short","newformat"=>"g:i A"), 'editable'=>false,'hidedlg'=>true));
You can also add event handler directly, even add additional event handler. The following adds dropdown ‘change’ event handler when the edit form shows.
1 2 3 4 5 6 7 8 9 10 11
<script type="text/javascript">
$(function(){ var grid = jQuery("#orders");
Includes required Javascript libraries before displaying our grids.
Remark:
Developers don’t need to call this method to include required Javascript libraries (jqGrid, jwysiwyg, ajaxfilupload etc.) because the phpGrid includes those Javascript automatically for you. This method is only used in get_display() in a MVC framework.
$col_name: Name of the calculated/virtual column. It cannot have space and must NOT be one of the existing database column names.
$property: Column properties. See set_col_property() for available column properties usage.
$title: Optional. Title for this virtual column. If omitted, it’s the same as the column name $col_name.
Description:
Append virtual column, AKA calculated column, to the end of an existing datagrid with this method.
Remark:
The $col_name cannot contain space and must begin with a letter
Use “formatter” column property to hook up Javascript function, e.g. below, $col_formatter is the Javascript to display value in virtual column.
The virtual column always adds to the end of the grid in the order of virtual column is created.
Text must be surrounded with SINGLE quote.
Virtual column is not sortable.
Example:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16
$col_formatter=<<<COLFORMATTER
function(cellvalue, options, rowObject){
var n1 = parseInt(rowObject[0],10), // get value from column #1
n2 = parseInt(rowObject[6],10); // get value from column #7
return n1+n2;
}
COLFORMATTER;
$custom rule: Javascript function to validate data
Description:
Create custom javascript validation for column value during edit. phpGrid has automatic default validation based on database data type. This method comes in handy when additional data validation is required such as value range, data dependency etc.
Example:
1 2
// price_validation1 is a javascript function. See related associate live example for complete implementation $dg->set_col_customrule('quantityInStock','price_validation1');
parameter: A variable argument. Variable argument makes the function more flexible because different jqGrid methods will have different set of parameters. Super useful.
Description:
Calling a jqGrid method to perform a specific action on the current grid. It is considered an advanced method.
Starting version 6, the parameter becomes a single variable argument.
Only use this method to call jqGrid methods that can act on the grid as a whole. It’s NOT possible to manipulate the grid on a row or cell level using set_grid_method because the generated javascript code is appended to the end of the script before closing bracket.
Example:
1 2 3 4 5 6 7 8 9 10 11 12 13 14
// create group header using this method $dg->set_grid_method('setGroupHeaders',array( array('useColSpanStyle'=>true), 'groupHeaders'=>array( array('startColumnName'=>'customerNumber', 'numberOfColumns'=>2, 'titleText'=>'Numbers Header')))); // inline edit add new row $dg->set_grid_method('inlineNav', '#'.$this->jq_gridName.'_pager1', array('addParams'=>array( 'position'=>"last", 'addRowParams'=>array( 'keys'=>true))));
“odbc_mssql” should only be used for DSN connection for Microsoft SQL Server in *nix or OS X operation system using unixODBC through FreeTDS protocol. You can learn more about how to use unixODBC with FreeTDS here
unixODBC
unixODBC requires additional environment variables in file conf.php
# server specific section
[global]
# TDS protocol version
; tds version = 4.2
# Whether to write a TDSDUMP file for diagnostic purposes
# (setting this to /tmp is insecure on a multi-user system)
; dump file = /tmp/freetds.log
; debug flags = 0xffff
# If you get out-of-memory errors, it may mean that your client
# is trying to allocate a huge buffer for a TEXT field.
# Try setting 'text size' to a more reasonable limit
text size = 64512
[phpgridmssql]
host = phpgridmssql.cbdlprkhjrmd.us-west-1.rds.amazonaws.com
port = 1433
tds version = 7.0
/usr/local/Cellar/unixodbc/2.3.1/etc/odbc.ini
[phpgridmssql]
Description = MS SQL Server
Driver = FreeTDS
Server = phpgridmssql.cbdlprkhjrmd.us-west-1.rds.amazonaws.com
TraceFile = /tmp/sql.log
UID = mssqluser
PWD = PASSWORD
ReadOnly = No
Port = 1433
Database = sampledb
/usr/local/Cellar/unixodbc/2.3.1/etc/odbcinst.ini
before_script_end is not a function but a variable. It allows you to inject custom javascript before the end of jqGrid object closing script tag so all DOM elements are presented. This is considered an advanced way to manipulate your grid.
The following code snippet demonstrates using this variable to insert a javascript that creates a export dropdown menu on the bottom toolbar.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15
$dg3=new C_DataGrid("SELECT * FROM products","productCode","products");
$custo_prop_jsonstr is a variable, not a function. The variable type is JSONString (string in JSON format).
The difference between $cust_prop_jsonstr and set_grid_property() is that the later is a function and must take an array as parameter. On the other hand, $cust_prop_jsonstr gives user the power to inject string directly into the jQgrid properties.
Which one to use?
The rule of thumb is to use $cust_prop_jsonstr when the property is form of string; else use set_grid_property() function. In general, you want to use set_grid_property().
Remark:
This is an advanced variable. In most cases, you do not need to use it unless you are already very familiar with jQgrid ins and outs that you want to manipulate your grid properties like a code ninja. :)
Example:
1 2 3 4 5
// Here filters must be passed as string to data.php later sent through POST. It's not possible to use set_grid_property function which must take array params $dg->cust_prop_jsonstr.='postData: {filters:
\'{"groupOp":"AND","rules":[{"field":"status","op":"eq","data":"Shipped"}]}\'},'; // add toolbar to top of the grid. $dg->cust_prop_jsonstr.='toppager:true,';
Advanced method that sets datagrid properties. The parameter must be an array. You must be rather familiar jqGrid API in order to take advantage of this method effectively. In most cases, you do not need to use this method.
Remark:
This method is completely difference from set_col_property() method that sets column property, a subset of grid property.
This is an advanced method. In most cases, you don’t need to call this method.
The difference between cust_prop_jsonstr and set_grid_property is that the later is a function and must take an array as parameter but cust_prop_jsonstr takes string parameter.
Which one to use?
The rule of thumb is to use cust_prop_jsonstr when the property is form of string; else use set_grid_property() function. In general, you want to use set_grid_property().
Note: DEBUG global constant is only available starting version 6. For phpGrid version 5.5.5 and lower, see enable_debug() method please.
phpGrid version 6 introduces a new global constant named “DEBUG” in conf.php. When set to true, it turns on the debug mode. When not defined, DEBUG value defaults to false.
When DEBUG set to true:
When set to true, it displays phpGrid object as well as the current PHP session information. In addition, AJAX response data are also displayed during CRUD operations. This is helpful debugging information can be used during development.
It also display the phpGrid version number and associated javascript libraries used.
Available starting phpGrid version 6, you can set a global constant “THEME” in conf.php to change all of your datagrid themes without calling set_theme() method individually.
1 2
// set a global theme in conf.php (version 6+) define('THEME','bootstrap');
Both Bootstrap 3 and 4 (7.4.5+) themes are now supported with ‘bootstrap‘ or ‘bootstrap4‘
The premium themes are currently available in phpGrid commercial licenses.
* Please note this feature is only available in commercial edition.
Parameters:
$enable: true or false
Description:
Enables multi-fields global search on any searchable columns. When set to true, search can perform in one or more searchable columns. Multiple search terms are separated by space.
* Pivot grid is only available in commercial license 6.6+.
Parameter(s):
$configuration: Pivot configuration array parameter. Please see pivot demo for more information.
Description:
Create pivot grid from an existing datagrid. It renders the regular datagrid first, and then pivots based on configuration settings. In essence, phpGrid creates pivot in the client side browser without requiring any server side resource.
Remark:
You will first see a loading icon while pivot is rendered before it is displayed. It’s by design.
* Currently only supported in the commercial licenses
The function is almost identical to set_col_date() except it also has a time picker.
Parameters:
$col_name: column name
$srcformat: source date format, eg. “Y-m-d”
$newformat: new date form to be displayed, eg. “m/d/Y”
$datepicker_format: datepicker format, eg. “m/d/yy”
Description:
Helper function to format the date using PHP date format options (http://php.net/manual/en/function.date.php). MySql always stores the date in either ‘YYYY-MM-DD’ or ‘YY-MM-DD’ format. However, we can still change the front-end date display format while conforming to its date standards.
Remark:
In most cases, you don’t need to call this method because phpGrid automatically formats the data with corresponding data type including the date.
Only use this method in order to display date format that is different from default date format.
// fetch data from API $url="https://example.com:440/web/services/GetAllCustomers/"; $json=file_get_contents($url,false,stream_context_create($arrContextOptions)); $json_output=json_decode($json,true);
// set WS edit end point (edit, delete) $dg->set_ws_editurl( 'https://example.com:440/web/services/UpdateCustomer/updtcustno', 'https://example.com:440/web/services/DeleteCustomer/dltcust' );
Since introduction of composer install in version 7.5.3, it has been an excellent way for dependencies management while minimizing file distribution size. Users can keep dependencies updated by running composer update without reaching out to us, a win-win.
This post will document composer-related common issues reported by our users and remedies to address those issues.
PHPExcel (deprecated) has now been replaced by PHPSpreadsheet. It requires two PHP extensions, depending versions of PHP, sometime they are not enabled by default. If they are missing, you are like to encounter the following error messages during composer install.
1 2
- Root composer.json requires phpoffice/phpspreadsheet ^1.29 -> satisfiable by phpoffice/phpspreadsheet[1.29.0].
- phpoffice/phpspreadsheet 1.29.0 requires ext-gd * -> it is missing from your system. Install or enable PHP's gd extension.
To enable extensions, verify that the following are enabled in your php.ini files:
– extension=gd
– extension=zip
You can also run `php –ini` in a terminal to see which files are used by PHP in CLI mode. Alternatively, but not recommended, you can run Composer with –ignore-platform-req=ext-gd to temporarily ignore these required extensions if you are sure they are already enabled.
Remember always to restart web server after making any changes in php.ini.