• 设为首页
  • 点击收藏
  • 手机版
    手机扫一扫访问
    迪恩网络手机版
  • 关注官方公众号
    微信扫一扫关注
    迪恩网络公众号

PHP pnSessionSetVar函数代码示例

原作者: [db:作者] 来自: [db:来源] 收藏 邀请

本文整理汇总了PHP中pnSessionSetVar函数的典型用法代码示例。如果您正苦于以下问题:PHP pnSessionSetVar函数的具体用法?PHP pnSessionSetVar怎么用?PHP pnSessionSetVar使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。



在下文中一共展示了pnSessionSetVar函数的20个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的PHP代码示例。

示例1: pnUserLogIn

/**
 * Log the user in
 * @param uname the name of the user logging in
 * @param pass the password of the user logging in
 * @param whether or not to remember this login
 * @returns bool
 * @return true if the user successfully logged in, false otherwise
 */
function pnUserLogIn($uname, $pass, $rememberme)
{
    list($dbconn) = pnDBGetConn();
    $pntable = pnDBGetTables();
    if (!pnUserLoggedIn()) {
        // Get user information
        $userscolumn =& $pntable['users_column'];
        $userstable = $pntable['users'];
        $query = "SELECT {$userscolumn['uid']},\n                         {$userscolumn['pass']}\n                  FROM {$userstable}\n                  WHERE {$userscolumn['uname']} = '" . pnVarPrepForStore($uname) . "'";
        $result = $dbconn->Execute($query);
        if ($result->EOF) {
            return false;
        }
        list($uid, $realpass) = $result->fields;
        $result->Close();
        // Confirm that passwords match
        if (!comparePasswords($pass, $realpass, $uname, substr($realpass, 0, 2))) {
            return false;
        }
        // Set user session information (new table)
        $sessioninfocolumn =& $pntable['session_info_column'];
        $sessioninfotable = $pntable['session_info'];
        $query = "UPDATE {$sessioninfotable}\n                  SET {$sessioninfocolumn['uid']} = " . pnVarPrepForStore($uid) . "\n                  WHERE {$sessioninfocolumn['sessid']} = '" . pnVarPrepForStore(session_id()) . "'";
        $dbconn->Execute($query);
        // Set session variables
        pnSessionSetVar('uid', (int) $uid);
        if (!empty($rememberme)) {
            pnSessionSetVar('rememberme', 1);
        }
    }
    return true;
}
开发者ID:juggernautsei,项目名称:openemr,代码行数:40,代码来源:pnUser.php


示例2: pnSecConfirmAuthKey

/**
 * confirm an authorisation key is valid
 * <br>
 * See description of <code>pnSecGenAuthKey</code> for information on
 * this function
 * @public
 * @returns bool
 * @return true if the key is valid, false if it is not
 */
function pnSecConfirmAuthKey($preview = false)
{
    list($module, $authid) = pnVarCleanFromInput('module', 'authid');
    // Regenerate static part of key
    $partkey = pnSessionGetVar('rand') . strtolower($module);
    if (md5($partkey) == $authid) {
        // Match - generate new random number for next key and leave happy
        if (!$preview) {
            srand((double) microtime() * 1000000);
            pnSessionSetVar('rand', rand());
        }
        return true;
    }
    // Not found, assume invalid
    return false;
}
开发者ID:katopenzz,项目名称:openemr,代码行数:25,代码来源:pnre.inc.php


示例3: template_admin_updateconfig

/**
 * This is a standard function to update the configuration parameters of the
 * module given the information passed back by the modification form
 */
function template_admin_updateconfig()
{
    // Get parameters from whatever input we need.  All arguments to this
    // function should be obtained from pnVarCleanFromInput(), getting them
    // from other places such as the environment is not allowed, as that makes
    // assumptions that will not hold in future versions of PostNuke
    $bold = pnVarCleanFromInput('bold');
    // Confirm authorisation code.  This checks that the form had a valid
    // authorisation code attached to it.  If it did not then the function will
    // proceed no further as it is possible that this is an attempt at sending
    // in false data to the system
    if (!pnSecConfirmAuthKey()) {
        pnSessionSetVar('errormsg', _BADAUTHKEY);
        pnRedirect(pnModURL('Template', 'admin', 'view'));
        return true;
    }
    // Update module variables.  Note that depending on the HTML structure used
    // to obtain the information from the user it is possible that the values
    // might be unset, so it is important to check them all and assign them
    // default values if required
    if (!isset($bold)) {
        $bold = 0;
    }
    pnModSetVar('template', 'bold', $bold);
    if (!isset($itemsperpage)) {
        $itemsperpage = 10;
    }
    pnModSetVar('template', 'itemsperpage', $itemsperpage);
    // This function generated no output, and so now it is complete we redirect
    // the user to an appropriate page for them to carry on their work
    pnRedirect(pnModURL('Template', 'admin', 'view'));
    // Return
    return true;
}
开发者ID:BackupTheBerlios,项目名称:microbuilder,代码行数:38,代码来源:pnadmin.php


示例4: Meds_userapi_DBselect

/** 
 * Selects all of a given item from database.
 * 
 * @param  $from   STRING  required    table name to select items from.
 * @return array of options for dropdowns. 
 */
function Meds_userapi_DBselect($args)
{
    // Initialize the return variable early on.
    $select = array();
    // Permission check.
    if (!pnSecAuthAction(0, 'Meds::', '::', ACCESS_OVERVIEW)) {
        return $select;
    }
    // Define table to select from. (comparable to $object in other functions)
    $from = (string) $args['from'];
    // Define tables that can be selected from for dropdowns.
    $tables = array('chem', 'company', 'moa', 'preserve');
    // Ensure a valid table name was passed.
    if (!in_array($from, $tables)) {
        pnSessionSetVar('errormsg', 'Error selecting table from database.');
        return false;
    }
    // Get database connection and tables references.
    $dbconn =& pnDBGetConn(true);
    $pntable =& pnDBGetTables();
    // Dynamically create the table/field references based on $from.
    $table =& $pntable['rx_' . $from];
    $field =& $pntable['rx_' . $from . '_column'];
    // Dynamically create the $id_field to select by.
    $id_field = substr($from, 0, 4) . '_id';
    // Create SQL to select the id and name of the item.
    $sql = "SELECT {$field[$id_field]},\n                   {$field['name']}\n              FROM {$table}\n          ORDER BY {$field['name']}";
    // Execute query.
    $result = $dbconn->Execute($sql);
    // Check for database errors.
    if ($dbconn->ErrorNo() != 0) {
        pnSessionSetVar('errormsg', _GETFAILED);
        return false;
    }
    // Loop through $result set.
    for (; !$result->EOF; $result->MoveNext()) {
        // Extract data from result set.
        list($id, $name) = $result->fields;
        // Assign the data to the select array.
        $select[$id] = array($id_field => $id, 'name' => $name);
    }
    // Close $result set.
    $result->Close();
    // Return.
    return $select;
}
开发者ID:irovast,项目名称:eyedock,代码行数:52,代码来源:pnuserapi.php


示例5: pnSecConfirmAuthKey

/**
 * confirm an authorisation key is valid
 * <br />
 * See description of <code>pnSecGenAuthKey</code> for information on
 * this function
 * 
 * @public 
 * @return bool true if the key is valid, false if it is not
 */
function pnSecConfirmAuthKey()
{
    list($module, $authid) = pnVarCleanFromInput('module', 'authid');
    // get the module info
    $modinfo = pnModGetInfo(pnModGetIDFromName($module));
    // Regenerate static part of key
    $partkey = pnSessionGetVar('rand') . strtolower($modinfo['name']);
    // Not using time-sensitive keys for the moment
    // // Key life is 5 minutes, so search backwards and forwards 5
    // // minutes to see if there is a match anywhere
    // for ($i=-5; $i<=5; $i++) {
    // $testdate  = mktime(date('G'), date('i')+$i, 0, date('m') , date('d'), date('Y'));
    // $testauthid = md5($partkey . date('YmdGi', $testdate));
    // if ($testauthid == $authid) {
    // // Match
    // // We've used up the current random
    // // number, make up a new one
    // srand((double)microtime()*1000000);
    // pnSessionSetVar('rand', rand());
    // return true;
    // }
    // }
    if (md5($partkey) == $authid) {
        // Match - generate new random number for next key and leave happy
        srand((double) microtime() * 1000000);
        pnSessionSetVar('rand', rand());
        return true;
    }
    // Not found, assume invalid
    return false;
}
开发者ID:BackupTheBerlios,项目名称:freshwind-svn,代码行数:40,代码来源:pnSecurity.php


示例6: pnInit

/**
 * Initialise PostNuke
 * <br>
 * Carries out a number of initialisation tasks to get PostNuke up and
 * running.
 * @returns void
 */
function pnInit()
{
    // proper error_repoting
    // e_all for development
    // error_reporting(E_ALL);
    // without warnings and notices for release
    error_reporting(E_ALL & ~E_NOTICE & ~E_WARNING & ~E_DEPRECATED);
    // Hack for some weird PHP systems that should have the
    // LC_* constants defined, but don't
    if (!defined('LC_TIME')) {
        define('LC_TIME', 'LC_TIME');
    }
    // ADODB configuration
    define('ADODB_DIR', 'pnadodb');
    require 'pnadodb/adodb.inc.php';
    // Temporary fix for hacking the hlpfile global
    // TODO - remove with pre-0.71 code
    global $hlpfile;
    $hlpfile = '';
    // Initialise and load configuration
    global $pnconfig, $pndebug;
    $pnconfig = array();
    include 'config.php';
    // Set up multisites
    // added this @define for .71, ugly ?
    // i guess the E_ALL stuff.
    @define('WHERE_IS_PERSO', '');
    // Initialise and load pntables
    global $pntable;
    $pntable = array();
    // if a multisite has its own pntables.
    if (file_exists(WHERE_IS_PERSO . 'pntables.php')) {
        include WHERE_IS_PERSO . 'pntables.php';
    } else {
        require 'pntables.php';
    }
    // Decode encoded DB parameters
    if ($pnconfig['encoded']) {
        $pnconfig['dbuname'] = base64_decode($pnconfig['dbuname']);
        $pnconfig['dbpass'] = base64_decode($pnconfig['dbpass']);
        $pnconfig['encoded'] = 0;
    }
    // Connect to database
    if (!pnDBInit()) {
        die('Database initialisation failed');
    }
    // debugger if required
    if ($pndebug['debug']) {
        include_once 'includes/lensdebug.inc.php';
        global $dbg, $debug_sqlcalls;
        $dbg = new LensDebug();
        $debug_sqlcalls = 0;
    }
    // Build up old config array
    pnConfigInit();
    // Set compression on if desired
    //
    if (pnConfigGetVar('UseCompression') == 1) {
        ob_start("ob_gzhandler");
    }
    // Other includes
    include 'includes/pnSession.php';
    include 'includes/pnUser.php';
    // Start session
    if (!pnSessionSetup()) {
        die('Session setup failed');
    }
    if (!pnSessionInit()) {
        die('Session initialisation failed');
    }
    include 'includes/security.php';
    // See if a language update is required
    $newlang = pnVarCleanFromInput('newlang');
    if (!empty($newlang)) {
        $lang = $newlang;
        pnSessionSetVar('lang', $newlang);
    } else {
        $lang = pnSessionGetVar('lang');
    }
    // Load global language defines
    if (isset($lang) && file_exists('language/' . pnVarPrepForOS($lang) . '/global.php')) {
        $currentlang = $lang;
    } else {
        $currentlang = pnConfigGetVar('language');
        pnSessionSetVar('lang', $currentlang);
    }
    include 'language/' . pnVarPrepForOS($currentlang) . '/global.php';
    include 'modules/NS-Languages/api.php';
    // Cross-Site Scripting attack defense - Sent by larsneo
    // some syntax checking against injected javascript
    $pnAntiCrackerMode = pnConfigGetVar('pnAntiCracker');
    if ($pnAntiCrackerMode == 1) {
        pnSecureInput();
//.........这里部分代码省略.........
开发者ID:danamyrocket,项目名称:openemr,代码行数:101,代码来源:pnAPI.php


示例7: pnModAPILoad

/**
 * load an API for a module
 * @param modname - registered name of the module
 * @param type - type of functions to load
 * @returns bool
 * @return true on success, false on failure
 */
function pnModAPILoad($modname, $type = 'user')
{
    static $loaded = array();
    if (empty($modname)) {
        return false;
    }
    list($dbconn) = pnDBGetConn();
    $pntable = pnDBGetTables();
    if (!empty($loaded["{$modname}{$type}"])) {
        // Already loaded from somewhere else
        return true;
    }
    $modulestable = $pntable['modules'];
    $modulescolumn =& $pntable['modules_column'];
    $query = "SELECT {$modulescolumn['name']},\n                     {$modulescolumn['directory']},\n                     {$modulescolumn['state']}\n              FROM {$modulestable}\n              WHERE {$modulescolumn['name']} = '" . pnVarPrepForStore($modname) . "'";
    $result = $dbconn->Execute($query);
    if ($dbconn->ErrorNo() != 0) {
        return;
    }
    if ($result->EOF) {
        pnSessionSetVar('errmsg', "Unknown module {$modname}");
        return false;
    }
    list($name, $directory, $state) = $result->fields;
    $result->Close();
    list($osdirectory, $ostype) = pnVarPrepForOS($directory, $type);
    $osfile = "modules/{$osdirectory}/pn{$ostype}api.php";
    if (!file_exists($osfile)) {
        // File does not exist
        return false;
    }
    // Load the file
    include $osfile;
    $loaded["{$modname}{$type}"] = 1;
    // Load the module language files
    $currentlang = pnUserGetLang();
    $defaultlang = pnConfigGetVar('language');
    if (empty($defaultlang)) {
        $defaultlang = 'eng';
    }
    list($oscurrentlang, $osdefaultlang) = pnVarPrepForOS($currentlang, $defaultlang);
    if (file_exists("modules/{$osdirectory}/pnlang/{$oscurrentlang}/{$ostype}api.php")) {
        include "modules/{$osdirectory}/pnlang/{$oscurrentlang}/{$ostype}api.php";
    } elseif (file_exists("modules/{$osdirectory}/pnlang/{$osdefaultlang}/{$ostype}api.php")) {
        include "modules/{$osdirectory}/pnlang/{$osdefaultlang}/{$ostype}api.php";
    }
    // Load datbase info
    pnModDBInfoLoad($modname, $directory);
    return true;
}
开发者ID:katopenzz,项目名称:openemr,代码行数:57,代码来源:pnMod.php


示例8: Lenses_adminapi_update_lens

function Lenses_adminapi_update_lens($args)
{
    // Permission check.
    if (!pnSecAuthAction(0, 'Lenses::', '::', ACCESS_ADMIN)) {
        pnSessionSetVar('errormsg', _MODULENOAUTH);
        return false;
    }
    // Extract arguments.  In this case, $lens.
    extract($args);
    // Extract lens array.
    extract($lens_data);
    // Ensure valid values were passed in.
    if (empty($tid) || !is_numeric($tid) || empty($name) || !is_string($name)) {
        pnSessionSetVar('errormsg', _MODARGSERROR);
        return false;
    }
    // Check if lens exists.
    if (!pnModAPIFunc('Lenses', 'user', 'get', array('item_id' => $tid, 'item_type' => 'lens'))) {
        pnSessionSetVar('errormsg', _NOSUCHITEM);
        return false;
    }
    // Get a reference to the database object.
    $dbconn =& pnDBGetConn(true);
    // Get a reference to PostNuke's table info.
    $pntable =& pnDBGetTables();
    // Define table and column to work with.
    $lenses_table =& $pntable['lenses'];
    $lenses_field =& $pntable['lenses_column'];
    // NOTE: We need to take care of a few preliminaries
    //       before passing the data off to the database
    //       for storage.  Specifically:
    //       1) Get today's date        - $updated
    // Today's date.
    $updated = date('Y-m-d');
    // NOTE: There would typically be a list() of all variables here
    //       which would be prepped for db storage before being used
    //       in the $sql query below.  This is not the case when the
    //       new lens is being inserted as this effectively adds apx
    //       165 lines of code between here and the $sql query.  The
    //       data is instead cleaned, still via pnVarPrepForStore(),
    //       as it would have been done here in a list(); the only
    //       difference here is that the data is cleaned AS the $sql
    //       query string is created, instead of BEFOREHAND.
    // Create sql to insert lens.
    $sql = "UPDATE {$lenses_table}\n               SET {$lenses_field['name']}                  = '" . pnVarPrepForStore($name) . "',\n                   {$lenses_field['aliases']}               = '" . pnVarPrepForStore($aliases) . "',\n                   {$lenses_field['comp_id']}               = '" . pnVarPrepForStore($comp_id) . "',\n                   {$lenses_field['poly_id']}               = '" . pnVarPrepForStore($poly_id) . "',\n                   {$lenses_field['visitint']}              = '" . pnVarPrepForStore($visitint) . "',\n                   {$lenses_field['ew']}                    = '" . pnVarPrepForStore($ew) . "',\n                   {$lenses_field['ct']}                    = '" . pnVarPrepForStore($ct) . "',\n                   {$lenses_field['dk']}                    = '" . pnVarPrepForStore($dk) . "',\n                   {$lenses_field['oz']}                    = '" . pnVarPrepForStore($oz) . "',\n                   {$lenses_field['process_text']}          = '" . pnVarPrepForStore($process_text) . "',\n                   {$lenses_field['process_simple']}        = '" . pnVarPrepForStore($process_simple) . "',\n                   {$lenses_field['qty']}                   = '" . pnVarPrepForStore($qty) . "',\n                   {$lenses_field['replace_simple']}        = '" . pnVarPrepForStore($replace_simple) . "',\n                   {$lenses_field['replace_text']}          = '" . pnVarPrepForStore($replace_text) . "',\n                   {$lenses_field['wear']}                  = '" . pnVarPrepForStore($wear) . "',\n                   {$lenses_field['price']}                 = '" . pnVarPrepForStore($price) . "',\n                   {$lenses_field['markings']}              = '" . pnVarPrepForStore($markings) . "',\n                   {$lenses_field['fitting_guide']}         = '" . pnVarPrepForStore($fitting_guide) . "',\n                   {$lenses_field['website']}               = '" . pnVarPrepForStore($website) . "',\n                   {$lenses_field['image']}                 = '" . pnVarPrepForStore($image) . "',\n                   {$lenses_field['other_info']}            = '" . pnVarPrepForStore($other_info) . "',\n                   {$lenses_field['discontinued']}          = '" . pnVarPrepForStore($discontinued) . "',\n                   {$lenses_field['display']}               = '" . pnVarPrepForStore($display) . "',\n                   {$lenses_field['redirect']}              = '" . pnVarPrepForStore($redirect) . "',\n                   {$lenses_field['bc_simple']}             = '" . pnVarPrepForStore($bc_simple) . "',\n\t\t\t\t   {$lenses_field['bc_all']}            \t= '" . pnVarPrepForStore($bc_all) . "',\n                   {$lenses_field['max_plus']}              = '" . pnVarPrepForStore($max_plus) . "',\n                   {$lenses_field['max_minus']}             = '" . pnVarPrepForStore($max_minus) . "',\n                   {$lenses_field['max_diam']}              = '" . pnVarPrepForStore($max_diam) . "',\n                   {$lenses_field['min_diam']}              = '" . pnVarPrepForStore($min_diam) . "',\n                   {$lenses_field['diam_1']}                = '" . pnVarPrepForStore($diam_1) . "',\n                   {$lenses_field['base_curves_1']}         = '" . pnVarPrepForStore($base_curves_1) . "',\n                   {$lenses_field['powers_1']}              = '" . pnVarPrepForStore($powers_1) . "',\n                   {$lenses_field['diam_2']}                = '" . pnVarPrepForStore($diam_2) . "',\n                   {$lenses_field['base_curves_2']}         = '" . pnVarPrepForStore($base_curves_2) . "',\n                   {$lenses_field['powers_2']}              = '" . pnVarPrepForStore($powers_2) . "',\n                   {$lenses_field['diam_3']}                = '" . pnVarPrepForStore($diam_3) . "',\n                   {$lenses_field['base_curves_3']}         = '" . pnVarPrepForStore($base_curves_3) . "',\n                   {$lenses_field['powers_3']}              = '" . pnVarPrepForStore($powers_3) . "',\n\t\t\t\t   {$lenses_field['sph_notes']}            = '" . pnVarPrepForStore($sph_notes) . "',\n           \n                   {$lenses_field['toric']}                 = '" . pnVarPrepForStore($toric) . "',\n                   {$lenses_field['toric_type']}            = '" . pnVarPrepForStore($toric_type) . "',\n                   {$lenses_field['toric_type_simple']}     = '" . pnVarPrepForStore($toric_type_simple) . "',\n                   {$lenses_field['cyl_power']}             = '" . pnVarPrepForStore($cyl_power) . "',\n                   {$lenses_field['max_cyl_power']}         = '" . pnVarPrepForStore($max_cyl_power) . "',\n                   {$lenses_field['cyl_axis']}              = '" . pnVarPrepForStore($cyl_axis) . "',\n                   {$lenses_field['cyl_axis_steps']}        = '" . pnVarPrepForStore($cyl_axis_steps) . "',\n                   {$lenses_field['oblique']}               = '" . pnVarPrepForStore($oblique) . "',\n\t\t\t\t   {$lenses_field['cyl_notes']}               = '" . pnVarPrepForStore($cyl_notes) . "',\n                  \n                   {$lenses_field['bifocal']}               = '" . pnVarPrepForStore($bifocal) . "',\n                   {$lenses_field['bifocal_type']}          = '" . pnVarPrepForStore($bifocal_type) . "',\n                   {$lenses_field['add_text']}              = '" . pnVarPrepForStore($add_text) . "',\n                   {$lenses_field['max_add']}               = '" . pnVarPrepForStore($max_add) . "',\n                   {$lenses_field['cosmetic']}              = '" . pnVarPrepForStore($cosmetic) . "',\n                   {$lenses_field['enh_names']}             = '" . pnVarPrepForStore($enh_names) . "',\n                   {$lenses_field['enh_names_simple']}      = '" . pnVarPrepForStore($enh_names_simple) . "',\n                   {$lenses_field['opaque_names']}          = '" . pnVarPrepForStore($opaque_names) . "',\n                   {$lenses_field['opaque_names_simple']}   = '" . pnVarPrepForStore($opaque_names_simple) . "',\n                   {$lenses_field['updated']}               = '" . date('Y-m-d') . "'\n             WHERE {$lenses_field['tid']}                   = '" . (int) pnVarPrepForStore($tid) . "'\n             ";
    // Execute the SQL query.
    $result = $dbconn->Execute($sql);
    // Check for any database errors.
    if ($dbconn->ErrorNo() != 0) {
        pnSessionSetVar('errormsg', _UPDATEFAILED . '<br />' . mysql_error());
        return false;
    }
    // Start a new output object.
    // This function isn't an output function, but needs an output
    // object started before the cache can be cleared.
    $pnRender =& new pnRender('Lenses');
    // Clear the cache.
    $pnRender->clear_cache();
    // Return success.
    return true;
}
开发者ID:irovast,项目名称:eyedock,代码行数:61,代码来源:func_inc_lenses.php


示例9: modules_admin_regenerate

function modules_admin_regenerate()
{
    // Security check
    if (!pnSecConfirmAuthKey()) {
        pnSessionSetVar('errormsg', _BADAUTHKEY);
        pnRedirect(pnModURL('Modules', 'admin', 'list'));
        return true;
    }
    // Load in API
    pnModAPILoad('Modules', 'admin');
    // Regenerate modules
    if (pnModAPIFunc('Modules', 'admin', 'regenerate')) {
        // Success
        pnSessionSetVar('statusmsg', _MODREGENERATED);
    }
    pnRedirect(pnModURL('Modules', 'admin', 'list'));
    return true;
}
开发者ID:BackupTheBerlios,项目名称:microbuilder,代码行数:18,代码来源:pnadmin.php


示例10: template_upgrade

/**
 * upgrade the template module from an old version
 * This function can be called multiple times
 */
function template_upgrade($oldversion)
{
    // Upgrade dependent on old version number
    switch ($oldversion) {
        case 0.5:
            // Version 0.5 didn't have a 'number' field, it was added
            // in version 1.0
            // Get datbase setup - note that both pnDBGetConn() and pnDBGetTables()
            // return arrays but we handle them differently.  For pnDBGetConn()
            // we currently just want the first item, which is the official
            // database handle.  For pnDBGetTables() we want to keep the entire
            // tables array together for easy reference later on
            // This code could be moved outside of the switch statement if
            // multiple upgrades need it
            list($dbconn) = pnDBGetConn();
            $pntable = pnDBGetTables();
            // It's good practice to name the table and column definitions you
            // are getting - $table and $column don't cut it in more complex
            // modules
            // This code could be moved outside of the switch statement if
            // multiple upgrades need it
            $templatetable = $pntable['template'];
            $templatecolumn =& $pntable['template_column'];
            // Add a column to the table - the formatting here is not
            // mandatory, but it does make the SQL statement relatively easy
            // to read.  Also, separating out the SQL statement from the
            // Execute() command allows for simpler debug operation if it is
            // ever needed
            $sql = "ALTER TABLE {$templatetable}\n                    ADD {$templatecolumn['number']} int(5) NOT NULL default 0";
            $dbconn->Execute($sql);
            // Check for an error with the database code, and if so set an
            // appropriate error message and return
            if ($dbconn->ErrorNo() != 0) {
                pnSessionSetVar('errormsg', _UPDATETABLEFAILED);
                return false;
            }
            // At the end of the successful completion of this function we
            // recurse the upgrade to handle any other upgrades that need
            // to be done.  This allows us to upgrade from any version to
            // the current version with ease
            return template_upgrade(1.0);
        case 1.0:
            // Code to upgrade from version 1.0 goes here
            break;
        case 2.0:
            // Code to upgrade from version 2.0 goes here
            break;
    }
    // Update successful
    return true;
}
开发者ID:BackupTheBerlios,项目名称:microbuilder,代码行数:55,代码来源:pninit.php


示例11: pnSessionInit

/** Initialise session. 
 * @return      bool 
 */
function pnSessionInit()
{
    global $HTTP_SERVER_VARS;
    // Fetch database aliases
    list($dbconn) = pnDBGetConn();
    $pntable = pnDBGetTables();
    // First thing we do is ensure that there is no attempted pollution
    // of the session namespace
    foreach ($GLOBALS as $k => $v) {
        if (preg_match('/^PNSV/', $k)) {
            return false;
        }
    }
    // Kick it
    session_start();
    // Have to re-write the cache control header to remove no-save, this
    // allows downloading of files to disk for application handlers
    // adam_baum - no-cache was stopping modules (andromeda) from caching the playlists, et al.
    // any strange behaviour encountered, revert to commented out code.
    //Header('Cache-Control: no-cache, must-revalidate, post-check=0, pre-check=0');
    Header('Cache-Control: cache');
    // Get session id
    $sessid = session_id();
    // Get (actual) client IP addr
    $ipaddr = $HTTP_SERVER_VARS['REMOTE_ADDR'];
    if (empty($ipaddr)) {
        $ipaddr = getenv('REMOTE_ADDR');
    }
    if (!empty($HTTP_SERVER_VARS['HTTP_CLIENT_IP'])) {
        $ipaddr = $HTTP_SERVER_VARS['HTTP_CLIENT_IP'];
    }
    $tmpipaddr = getenv('HTTP_CLIENT_IP');
    if (!empty($tmpipaddr)) {
        $ipaddr = $tmpipaddr;
    }
    if (!empty($HTTP_SERVER_VARS['HTTP_X_FORWARDED_FOR'])) {
        $ipaddr = preg_replace('/,.*/', '', $HTTP_SERVER_VARS['HTTP_X_FORWARDED_FOR']);
    }
    $tmpipaddr = getenv('HTTP_X_FORWARDED_FOR');
    if (!empty($tmpipaddr)) {
        $ipaddr = preg_replace('/,.*/', '', $tmpipaddr);
    }
    // END IP addr retrieval
    // Table columns used to store session data in database
    $sessioninfocolumn =& $pntable['session_info_column'];
    $sessioninfotable = $pntable['session_info'];
    // Find out if session already exists
    $query = "SELECT {$sessioninfocolumn['ipaddr']}\n              FROM {$sessioninfotable}\n              WHERE {$sessioninfocolumn['sessid']} = '" . pnVarPrepForStore($sessid) . "'";
    $result = $dbconn->Execute($query);
    if ($dbconn->ErrorNo() != 0) {
        return false;
    }
    // Die on any error except "no results"
    // Session already exists, we define it as current
    if (!$result->EOF) {
        $result->Close();
        pnSessionCurrent($sessid);
    } else {
        pnSessionNew($sessid, $ipaddr);
        // Generate a random number, used for
        // some authentication
        srand((double) microtime() * 1000000);
        pnSessionSetVar('rand', rand());
    }
    return true;
}
开发者ID:BackupTheBerlios,项目名称:microbuilder,代码行数:69,代码来源:pnSession.php


示例12: httpreferer

function httpreferer()
{
    /***
     * Here we set up some variables for the rest of the script.
     * if you want to see whats going on, set $DEBUG to 1
     * I use $httphost here because i dont want to deal with the need to have
     * to see if $nuke_url is set correctly and whatnot. if you prefer to use
     * $nuke_url isntead of HTTP_HOST, just uncomment the appropriate lines.
     */
    $DEBUG = 0;
    $httpreferer = pnServerGetVar('HTTP_REFERER');
    $httphost = pnServerGetVar('HTTP_HOST');
    $dbconn =& pnDBGetConn(true);
    $pntable =& pnDBGetTables();
    if ($DEBUG == 1) {
        echo 'HTTP_HOST = ' . pnVarPrepForDisplay($httphost) . '<br /> HTTP_REFERER = ' . pnVarPrepForDisplay($httpreferer) . '<br />';
    }
    /***
     * This is the first thing we need to check. what this does is see if
     * HTTP_HOST is anywhere in HTTP_REFERER. This is so we dont log hits coming
     * from our own domain.
     */
    if (!ereg("{$httphost}", $httpreferer)) {
        /***
         * If $httpreferer is not set, set $httpreferer to value "bookmark"
         * This is to show how many people have this bookmarked or type in the
         * URL into the browser. also so we dont have empty referers.
         */
        if ($httpreferer == '') {
            $httpreferer = 'bookmark';
        }
        $httpreferer = trim($httpreferer);
        $writeref = true;
        $refex = pnConfigGetVar('httprefexcluded');
        if (!empty($refex)) {
            $refexclusion = explode(' ', $refex);
            $count = count($refexclusion);
            $eregicondition = "((";
            for ($i = 0; $i < $count; $i++) {
                if ($i != $count - 1) {
                    $eregicondition .= $refexclusion[$i] . ")|(";
                } else {
                    $eregicondition .= $refexclusion[$i] . "))";
                }
            }
            if (eregi($eregicondition, $httpreferer)) {
                $writeref = false;
            }
        }
        if ($writeref == true) {
            // grab a reference to our table column defs for easier reading below
            $column =& $pntable['referer_column'];
            /***
             * Lets select from the table where we have $httpreferer (whether it be
             * a valid referer or 'bookmark'. if we return 1 row, that means someones
             * used this referer before and update the set appropriatly.
             *
             * If we dont have any rows (it returns 0), we have a new entry in the
             * table, update accordingly.
             *
             * After we figure out what SQL statement we are using, lets perform the
             * query and we're done !
             */
            $check_sql = "SELECT count({$column['rid']}) as c\n                      FROM {$pntable['referer']}\n                      WHERE {$column['url']} = '" . pnVarPrepForStore($httpreferer) . "'";
            $result =& $dbconn->Execute($check_sql);
            if ($dbconn->ErrorNo() != 0) {
                pnSessionSetVar('errormsg', 'Error: ' . $dbconn->ErrorNo() . ': ' . $dbconn->ErrorMsg());
                return false;
            }
            $row = $result->fields;
            $count = $row[0];
            if ($count == 1) {
                $update_sql = "UPDATE {$pntable['referer']}\n                           SET {$column['frequency']} = {$column['frequency']} + 1\n                           WHERE {$column['url']} = '" . pnVarPrepForStore($httpreferer) . "'";
            } else {
                /***
                 * "auto-increment" isn't portable so we have to use the standard
                 * interface for grabbing sequence numbers.  The underlying
                 * implementation handles the correct method for the RDBMS we are
                 * using.
                 */
                $rid = $dbconn->GenId($pntable['referer'], true);
                $update_sql = "INSERT INTO {$pntable['referer']}\n                             ({$column['rid']},\n                              {$column['url']},\n                              {$column['frequency']})\n                           VALUES\n                             (" . pnVarPrepForStore($rid) . ",\n                              '" . pnVarPrepForStore($httpreferer) . "',\n                              1)";
            }
            $result =& $dbconn->Execute($update_sql);
            if ($dbconn->ErrorNo() != 0) {
                pnSessionSetVar('errormsg', 'Error: ' . $dbconn->ErrorNo() . ': ' . $dbconn->ErrorMsg());
                return false;
            }
            if ($DEBUG == 1) {
                echo "<br />" . $check_sql . "<br />" . $update_sql . "<br />";
            }
        }
    }
}
开发者ID:BackupTheBerlios,项目名称:freshwind-svn,代码行数:94,代码来源:referer.php


示例13: pollCollector

function pollCollector($pollID, $voteID, $forwarder)
{
    list($dbconn) = pnDBGetConn();
    $pntable = pnDBGetTables();
    // Check that the user hasn't voted for this poll already
    if (pnSessionGetVar("poll_voted{$pollID}")) {
        $warn = "You already voted today!";
    } else {
        pnSessionSetVar("poll_voted{$pollID}", 1);
        $column =& $pntable['poll_data_column'];
        $dbconn->Execute("UPDATE {$pntable['poll_data']} SET {$column['optioncount']}={$column['optioncount']}+1 WHERE ({$column['pollid']}=" . (int) pnVarPrepForStore($pollID) . ") AND ({$column['voteid']}=" . (int) pnVarPrepForStore($voteID) . ")");
        $column =& $pntable['poll_desc_column'];
        $dbconn->Execute("UPDATE {$pntable['poll_desc']} SET {$column['voters']}={$column['voters']}+1 WHERE {$column['pollid']}=" . (int) pnVarPrepForStore($pollID) . "");
    }
    pnRedirect($forwarder);
}
开发者ID:BackupTheBerlios,项目名称:microbuilder,代码行数:16,代码来源:poll.php


示例14: Lenses_delete

function Lenses_delete()
{
    // Get a reference to the database connection and PN tables.
    $dbconn =& pnDBGetConn(true);
    $pntable =& pnDBGetTables();
    // Create a new data object.
    $dict =& NewDataDictionary($dbconn);
    // The SQL to delete all module tables is setup inside $schema.
    // Notable is that table names are passed directly by reference
    // instead of pre-assigning the references to an intermediary
    // variable.  Setting up the tables as $schema allows for a loop
    // to delete all tables with only a single block of table-deletion
    // and error-checking code.
    $schema[] = $dict->DropTableSQL(&$pntable['lenses']);
    $schema[] = $dict->DropTableSQL(&$pntable['lenses_companies']);
    $schema[] = $dict->DropTableSQL(&$pntable['lenses_polymers']);
    // Loop through $schema array.
    foreach ($schema as $sqlarray) {
        // Run SQL query and check for database error.
        if ($dict->ExecuteSQLArray($sqlarray) != 2) {
            // Set an error message.
            pnSessionSetVar('errormsg', _LENSES_DROP_TABLE_FAILURE);
            // Report failure.
            return false;
        }
    }
    // Delete any lingering module variables.
    pnModDelVar('Lenses');
    // Module deletion successful.  Report success.
    return true;
}
开发者ID:grlf,项目名称:eyedock,代码行数:31,代码来源:pninit.php


示例15: dplink_admin_updateconfig

function dplink_admin_updateconfig()
{
    // Get parameters from whatever input we need.
    $_loc = pnVarCleanFromInput('url');
    $_window = pnVarCleanFromInput('use_window');
    $_wrap = pnVarCleanFromInput('use_postwrap');
    // Confirm authorisation code.
    if (!pnSecConfirmAuthKey()) {
        pnSessionSetVar('errormsg', _BADAUTHKEY);
        pnRedirect(pnModURL('dplink', 'admin', ''));
        return true;
    }
    // Update module variables.
    pnModSetVar('dplink', 'url', $_loc);
    pnModSetVar('dplink', 'use_window', $_window);
    pnModSetVar('dplink', 'use_postwrap', $_wrap);
    // This function generated no output, and so now it is complete we redirect
    // the user to an appropriate page for them to carry on their work
    pnRedirect('admin.php');
    // Return
    return true;
}
开发者ID:klr2003,项目名称:sourceread,代码行数:22,代码来源:pnadmin.php


示例16: pnCheckUserBlock

/**
 * Checks if user controlled block state
 *
 * Checks if the user has a state set for a current block
 * Sets the default state for that block if not present
 *
 * @access private
 */
function pnCheckUserBlock($row)
{
    if (!isset($row['bid'])) {
        $row['bid'] = '';
    }
    if (pnUserLoggedIn()) {
        $uid = pnUserGetVar('uid');
        $dbconn =& pnDBGetConn(true);
        $pntable =& pnDBGetTables();
        $column =& $pntable['userblocks_column'];
        $sql = "SELECT {$column['active']}\n\t\t      FROM {$pntable['userblocks']}\n\t\t      WHERE {$column['bid']} = '" . pnVarPrepForStore($row['bid']) . "'\n\t\t\t  AND {$column['uid']} = '" . pnVarPrepForStore($uid) . "'";
        $result =& $dbconn->Execute($sql);
        if ($dbconn->ErrorNo() != 0) {
            pnSessionSetVar('errormsg', 'Error: ' . $dbconn->ErrorNo() . ': ' . $dbconn->ErrorMsg());
            return true;
        }
        if ($result->EOF) {
            $uid = pnVarPrepForStore($uid);
            $row['bid'] = pnVarPrepForStore($row['bid']);
            $sql = "INSERT INTO {$pntable['userblocks']}\n\t\t\t        \t\t   ({$column['uid']},\n\t\t\t\t\t \t\t\t{$column['bid']},\n\t\t\t\t\t \t\t\t{$column['active']})\n\t\t\t\t\tVALUES (" . pnVarPrepForStore($uid) . ",\n\t\t\t\t\t        '{$row['bid']}',\n\t\t\t\t\t\t\t" . pnVarPrepForStore($row['defaultstate']) . ")";
            $result =& $dbconn->Execute($sql);
            if ($dbconn->ErrorNo() != 0) {
                pnSessionSetVar('errormsg', 'Error: ' . $dbconn->ErrorNo() . ': ' . $dbconn->ErrorMsg());
                return true;
            }
            return true;
        } else {
            list($active) = $result->fields;
            return $active;
        }
    } else {
        return false;
    }
}
开发者ID:BackupTheBerlios,项目名称:freshwind-svn,代码行数:42,代码来源:pnBlocks.php


示例17: Lenses_userapi_search_report

function Lenses_userapi_search_report($args)
{
    $time = pnVarCleanFromInput('time');
    // Permission check.
    if (!pnSecAuthAction(0, 'Lenses::', '::', ACCESS_OVERVIEW)) {
        return $items_array;
    }
    extract($args);
    $items_array = array();
    // Get a reference to the database object.
    $dbconn =& pnDBGetConn(true);
    // Get a reference to PostNuke's table info.
    $pntable =& pnDBGetTables();
    $table =& $pntable['lenses_stats'];
    $field =& $pntable['lenses_stats_column'];
    $lens_table =& $pntable['lenses'];
    $lens_field =& $pntable['lenses_column'];
    $sql = "SELECT {$field['id']}, {$lens_field['name']},  {$field['this_month']}, {$field['last_month']}, {$field['total']}\n                \t\tFROM {$table}, {$lens_table}\n\t\t\t\t\t\tWHERE {$field['id']} = {$lens_field['tid']} \n            \t\t\tORDER BY {$field[$time]} DESC LIMIT 0,40";
    //print ($sql);
    // Execute the SQL query.
    $result = $dbconn->Execute($sql);
    // Check for any database errors.
    if ($dbconn->ErrorNo() != 0) {
        pnSessionSetVar('errormsg', _GETFAILED);
        return false;
    }
    // A switch to extract the data from a given result set.
    for (; !$result->EOF; $result->MoveNext()) {
        list($id, $name, $total, $last_month, $this_month) = $result->fields;
        $items_array[] = array('id' => $id, 'name' => $name, 'total' => $total, 'last_month' => $last_month, 'this_month' => $this_month);
    }
    $result->Close();
    //print_r($items_array);
    return $items_array;
}
开发者ID:grlf,项目名称:eyedock,代码行数:35,代码来源:pnuserapi.php


示例18: Lenses_userapi_getall

该文章已有0人参与评论

请发表评论

全部评论

专题导读
上一篇:
PHP pnThemeLoad函数代码示例发布时间:2022-05-15
下一篇:
PHP pnSecAuthAction函数代码示例发布时间:2022-05-15
热门推荐
阅读排行榜

扫描微信二维码

查看手机版网站

随时了解更新最新资讯

139-2527-9053

在线客服(服务时间 9:00~18:00)

在线QQ客服
地址:深圳市南山区西丽大学城创智工业园
电邮:jeky_zhao#qq.com
移动电话:139-2527-9053

Powered by 互联科技 X3.4© 2001-2213 极客世界.|Sitemap