当前位置:  编程技术>php
本页文章导读:
    ▪PHP5中的this,self和parent关键字详解教程       首先我们来明白上面三个关键字: this,self,parent,从字面上比较好理解,是指这,自己,父亲,呵呵,比较好玩了,我们先建立几个概念,这三个关键字分别是用在什么地方呢?我们初步解释一下,this是指.........
    ▪Discuz!插件:自动隐藏帖子第1/2页       前言   应一位网友要求开卷工作室制作了这个自动隐藏帖子的插件,主要用途是无需手动添加 [hide] 代码,则自动隐藏所有发布的帖子内容,会员需要回复后才可以浏览该帖。这想法相.........
    ▪一篇不错的PHP基础学习笔记       1、  PHP片段四种表示形式。 标准tags:<?php           ?> short tags:<?              ?> 需要在php.ini中设置short _open_tag=on,默认是on asp tags: <%             %&g.........

[1]PHP5中的this,self和parent关键字详解教程
    来源: 互联网  发布时间: 2013-11-30
首先我们来明白上面三个关键字: this,self,parent,从字面上比较好理解,是指这,自己,父亲,呵呵,比较好玩了,我们先建立几个概念,这三个关键字分别是用在什么地方呢?我们初步解释一下,this是指向当前对象的指针(我们姑且用C里面的指针来看吧),self是指向当前类的指针,parent是指向父类的指针。我们这里频繁使用指针来描述,是因为没有更好的语言来表达,呵呵,语文没学好。 -_-#
这么说还不能很了解,那我们就根据实际的例子结合来讲讲。
(1) this
代码如下:

<?php 
 class UserName 
 {  
     //定义属性     
     private $name; 
     //定义构造函数 
     function __construct( $name ) 
     { 
          $this->name = $name; //这里已经使用了this指针 
     } 
     //析构函数 
     function __destruct(){} 
     //打印用户名成员函数 
     function printName() 
     { 
          print( $this->name ); //又使用了this指针 
     } 
 } 
 //实例化对象 
 $nameObject = new UserName( "heiyeluren" ); 
 //执行打印 
 $nameObject->printName(); //输出: heiyeluren 
 //第二次实例化对象 
 $nameObject = new UserName( "PHP" ); 
 //执行打印 
 $nameObject->printName(); //输出:PHP 
 ?>  

我们看,上面的类分别在行和行使用了this指针,那么当时this是指向谁呢?其实this是在实例化的时候来确定指向谁,比如第一次实例化对象的时候(行),那么当时this就是指向$nameObject对象,那么执行行的打印的时候就把print( $this-><name )变成了print( $nameObject->name ),那么当然就输出了"heiyeluren"。第二个实例的时候,print( $this->name )变成了print( $nameObject->name ),于是就输出了"PHP"。所以说,this就是指向当前对象实例的指针,不指向任何其他对象或类。 
(2)self
首先我们要明确一点,self是指向类本身,也就是self是不指向任何已经实例化的对象,一般self使用来指向类中的静态变量。
代码如下:

<?php 
     class Counter 
     { 
         //定义属性,包括一个静态变量 
         private static $firstCount = ; 
         private $lastCount; 
         //构造函数 
         function __construct() 
         { 
              $this->lastCount = ++selft::$firstCount; //使用self来调用静态变量,使用self调用必须使用::(域运算符号) 
         } 
         //打印最次数值 
         function printLastCount() 
         { 
              print( $this->lastCount ); 
         }  
     } 
 //实例化对象 
 $countObject = new Counter(); 
 $countObject->printLastCount(); //输出  
 ?>  

我们这里只要注意两个地方,第行和第行。我们在第二行定义了一个静态变量$firstCount,并且初始值为,那么在行的时候调用了这个值得,使用的是self来调用,并且中间使用"::"来连接,就是我们所谓的域运算符,那么这时候我们调用的就是类自己定义的静态变量$frestCount,我们的静态变量与下面对象的实例无关,它只是跟类有关,那么我调用类本身的的,那么我们就无法使用this来引用,可以使用self来引用,因为self是指向类本身,与任何对象实例无关。换句话说,假如我们的类里面静态的成员,我们也必须使用self来调用。
(3)parent
我们知道parent是指向父类的指针,一般我们使用parent来调用父类的构造函数。
代码如下:

<?php 
 //基类 
 class Animal 
 { 
     //基类的属性 
     public $name; //名字 
     //基类的构造函数 
     public function __construct( $name ) 
     { 
          $this->name = $name; 
     } 
 } 
 //派生类 
 class Person extends Animal //Person类继承了Animal类 
 { 
     public $personSex; //性别 
     public $personAge; //年龄 
     //继承类的构造函数 
     function __construct( $personSex, $personAge ) 
     { 
          parent::__construct( "heiyeluren" ); //使用parent调用了父类的构造函数 
          $this->personSex = $personSex; 
          $this->personAge = $personAge; 
     } 
     function printPerson() 
     { 
          print( $this->name. " is " .$this->personSex. ",this year " .$this->personAge ); 
      } 
 } 
 //实例化Person对象 
 $personObject = new Person( "male", ""); 
 //执行打印 
 $personObject->printPerson(); //输出:heiyeluren is male,this year  
 ?>  

我们注意这么几个细节:成员属性都是public的,特别是父类的,是为了供继承类通过this来访问。我们注意关键的地方,第行:parent::__construct( "heiyeluren" ),这时候我们就使用parent来调用父类的构造函数进行对父类的初始化,因为父类的成员都是public的,于是我们就能够在继承类中直接使用this来调用。
总结:
this是指向对象实例的一个指针,self是对类本身的一个引用,parent是对父类的引用。
基本上我所了解就这么多,肯定有理解错误之处,请高手指出!

    
[2]Discuz!插件:自动隐藏帖子第1/2页
    来源: 互联网  发布时间: 2013-11-30
前言
  应一位网友要求开卷工作室制作了这个自动隐藏帖子的插件,主要用途是无需手动添加 [hide] 代码,则自动隐藏所有发布的帖子内容,会员需要回复后才可以浏览该帖。这想法相当不错,要实现这一功能也不很难,所以就帮忙做了一个出来。插件提供两种自动隐藏的模式,一种是只隐藏一楼的帖子,另一种是隐藏包括回复在内的所有帖子。因为秉承开卷工作室绿色插件的作风,能够不改动数据库的就不改,所以本插件不增加后台开关功能,而只提供 config.inc.php 的开关设置。
  本插件适用于 Discuz! 所有版本的论坛,但这里只提供 DZ4.1 / DZ5.0 / DZ5.5 的安装方法,其它版本的论坛请参照着自行修改。
更新记录:
2007-01-25        修正不包含论坛代码的帖子无法隐藏的问题;增加隐藏除一楼以外的所有帖子的设置;增加可预览字节设置,设置后可以预览部分被隐藏的帖子内容,从而让内容好的帖子吸引更多人参与回帖;增加可自定义哪些论坛开启自动隐藏功能的设置。
2007-01-27        增加对游客访问时只能阅读部分内容的设置,效果如下:
  非常抱歉,您的当前状态为游客,因此只能阅读部分内容。要阅读完整内容请:注册 或 登录 。
2007-01-28        更正公告及短消息也会被自动隐藏,同时因缺少变量而报错的问题;增加可自定义允许或排除指定论坛自动隐藏功能的设置;提供解决文本截断后页面代码错乱问题的两种解决办法,大家可根据自己的情况选择使用。
2007-02-04        增加与干扰码的兼容性修改。
2007-03-14        增加 Discuz!5.5 的安装方法,并测试成功。
名称:开卷工作室自动隐藏帖子[增强版] For Discuz! All Version
难度:一般
适用版本:Discuz!所有版本
作者:KaijuanStudio
发布日期:2006-11-07
更新日期:2007-03-14
发布站点:中国制造论坛
技术支持:http://madeinchn.cn/thread-4-13016-1-1.htm
安装方法如下:
修改:viewthread.php
打开:viewthread.php
DZ4.1,找到:
$post['message'] = discuzcode($post['message'], $post['smileyoff'], $post['bbcodeoff'], $post['htmlon'], $forum['allowsmilies'], $forum['allowbbcode'], $forum['allowimgcode'], $forum['allowhtml'], ($forum['jammer'] && $post['authorid'] != $discuz_uid ? 1 : 0));替换为:
$post['message'] = discuzcode($post['message'], $post['smileyoff'], $post['bbcodeoff'], $post['htmlon'], $forum['allowsmilies'], $forum['allowbbcode'], $forum['allowimgcode'], $forum['allowhtml'], ($forum['jammer'] && $post['authorid'] != $discuz_uid ? 1 : 0), $post['first']);DZ5.0,找到:
$post['message'] = discuzcode($post['message'], $post['smileyoff'], $post['bbcodeoff'], $post['htmlon'], $forum['allowsmilies'], $forum['allowbbcode'], ($forum['allowimgcode'] && $showimages ? 1 : 0), $forum['allowhtml'], ($forum['jammer'] && $post['authorid'] != $discuz_uid ? 1 : 0), $pasetype, $post['authorid']);替换为:
$post['message'] = discuzcode($post['message'], $post['smileyoff'], $post['bbcodeoff'], $post['htmlon'], $forum['allowsmilies'], $forum['allowbbcode'], ($forum['allowimgcode'] && $showimages ? 1 : 0), $forum['allowhtml'], ($forum['jammer'] && $post['authorid'] != $discuz_uid ? 1 : 0), $pasetype, $post['authorid'], $post['first']);DZ5.5,找到:
$post['message'] = discuzcode($post['message'], $post['smileyoff'], $post['bbcodeoff'], $post['htmlon'], $forum['allowsmilies'], $forum['allowbbcode'], ($forum['allowimgcode'] && $showimages ? 1 : 0), $forum['allowhtml'], ($forum['jammer'] && $post['authorid'] != $discuz_uid ? 1 : 0), 0, $post['authorid']);替换为:
$post['message'] = discuzcode($post['message'], $post['smileyoff'], $post['bbcodeoff'], $post['htmlon'], $forum['allowsmilies'], $forum['allowbbcode'], ($forum['allowimgcode'] && $showimages ? 1 : 0), $forum['allowhtml'], ($forum['jammer'] && $post['authorid'] != $discuz_uid ? 1 : 0), 0, $post['authorid'], $post['first']);
修改:discuzcode.func.php
打开:include\discuzcode.func.php
DZ4.1,找到:
function discuzcode($message, $smileyoff, $bbcodeoff, $htmlon = 0, $allowsmilies = 1, $allowbbcode = 1, $allowimgcode = 1, $allowhtml = 0, $jammer = 0) {替换为:
function discuzcode($message, $smileyoff, $bbcodeoff, $htmlon = 0, $allowsmilies = 1, $allowbbcode = 1, $allowimgcode = 1, $allowhtml = 0, $jammer = 0, $first = '0') {再将下面一行的:
        global $discuzcodes, $credits, $tid, $discuz_uid, $highlight, $maxsmilies, $db, $tablepre;替换为:
        global $discuzcodes, $credits, $fid, $tid, $discuz_uid, $highlight, $maxsmilies, $db, $tablepre, $hidemsg, $hidecut, $leavemod, $hidefids;
        $bbcodeoff = $hidemsg ? '' : $bbcodeoff;继续找到:
if(preg_match("/\[hide=?\d*\].+?\[\/hide\]/is", $message)) {替换为:
//hidemsg by KaijuanStudio
                if($hidefids) {
                        foreach($hidefids as $hidefid) {
                                if($leavemod) {
                                        if($fid == $hidefid) {
                                                $unallowed = 1;
                                        } else {
                                                $allowhide = 1;
                                        }
                                } else {
                                        if($fid == $hidefid) {
                                                $allowhide = 1;
                                        }
                                }
                        }
                } elseif($fid) {
                        $allowhide = 1;
                }
                if($hidemsg && $allowhide && !$unallowed) {
                        global $language;
                        include_once language('misc');
                        $hidefirst = $hidemsg == 1 ? $first : ($hidemsg == 2 ? 1 : ($hidemsg == 3 ? ($first ? '' : 1) : ''));
                        if($hidefirst) {
                                if($hidecut < strlen($message)) {
                                        $query = $db->query("SELECT pid FROM {$tablepre}posts WHERE tid='$tid' AND authorid='$discuz_uid' LIMIT 1");
                                        if($GLOBALS['forum']['ismoderator'] || $db->result($query, 0)) {
                                                $message = '<span >'.$language['post_hide_reply'].'</span><br />'.
                                                '==============================<br /><br />'.
                                                $message.'<br /><br />'.
                                                '==============================';
                                        } else {
                                                $message = $hidecut ? ($hidecut >= strlen($message) ? $message : dhtmlspecialchars(cutstr($message, $hidecut)).'<br /><br /><b>'.$language['post_hide_reply_hidden'].'</b>') : '<b>'.$language['post_hide_reply_hidden'].'</b>';
                                        }
                                }
                        } elseif(!$discuz_uid && $hidemsg == 4 && $hidecut) {
                                $message = $hidecut >= strlen($message) ? $message : dhtmlspecialchars(cutstr($message, $hidecut)).'<br /><br />'.$language['post_hide_limit'];
                        }
                } elseif(preg_match("/\[hide=?\d*\].+?\[\/hide\]/is", $message)) {DZ5.0/DZ5.5,找到:
function discuzcode($message, $smileyoff, $bbcodeoff, $htmlon = 0, $allowsmilies = 1, $allowbbcode = 1, $allowimgcode = 1, $allowhtml = 0, $jammer = 0, $parsetype = '0', $authorid = '0') {替换为:
function discuzcode($message, $smileyoff, $bbcodeoff, $htmlon = 0, $allowsmilies = 1, $allowbbcode = 1, $allowimgcode = 1, $allowhtml = 0, $jammer = 0, $parsetype = '0', $authorid = '0', $first = '0') {DZ5.0 再将下面一行的:
        global $discuzcodes, $credits, $tid, $discuz_uid, $highlight, $maxsmilies, $db, $tablepre;替换为:
        global $discuzcodes, $credits, $fid, $tid, $discuz_uid, $highlight, $maxsmilies, $db, $tablepre, $hidemsg, $hidecut, $leavemod, $hidefids;
        $bbcodeoff = $hidemsg ? '' : $bbcodeoff;DZ5.5 将下面一行的:
        global $discuzcodes, $credits, $tid, $discuz_uid, $highlight, $maxsmilies, $db, $tablepre, $hideattach;替换为:
        global $discuzcodes, $credits, $fid, $tid, $discuz_uid, $highlight, $maxsmilies, $db, $tablepre, $hideattach, $hidemsg, $hidecut, $leavemod, $hidefids;
        $bbcodeoff = $hidemsg ? '' : $bbcodeoff;DZ5.0 继续找到:
if(!in_array($parsetype, array(1, 2)) && preg_match("/\[hide=?\d*\].+?\[\/hide\]/is", $message)) {替换为:
//hidemsg by KaijuanStudio
                if($hidefids) {
                        foreach($hidefids as $hidefid) {
                                if($leavemod) {
                                        if($fid == $hidefid) {
                                                $unallowed = 1;
                                        } else {
                                                $allowhide = 1;
                                        }
                                } else {
                                        if($fid == $hidefid) {
                                                $allowhide = 1;
                                        }
                                }
                        }
                } elseif($fid) {
                        $allowhide = 1;
                }
                if($hidemsg && $allowhide && !$unallowed) {
                        global $language;
                        include_once language('misc');
                        $hidefirst = $hidemsg == 1 ? $first : ($hidemsg == 2 ? 1 : ($hidemsg == 3 ? ($first ? '' : 1) : ''));
                        if($hidefirst) {
                                if($hidecut < strlen($message)) {
                                        $query = $db->query("SELECT pid FROM {$tablepre}posts WHERE tid='$tid' AND authorid='$discuz_uid' LIMIT 1");
                                        if($GLOBALS['forum']['ismoderator'] || $db->result($query, 0)) {
                                                $message = '<span >'.$language['post_hide_reply'].'</span><br />'.
                                                '==============================<br /><br />'.
                                                $message.'<br /><br />'.
                                                '==============================';
                                        } else {
                                                $message = $hidecut ? ($hidecut >= strlen($message) ? $message : dhtmlspecialchars(cutstr($message, $hidecut)).'<br /><br /><b>'.$language['post_hide_reply_hidden'].'</b>') : '<b>'.$language['post_hide_reply_hidden'].'</b>';
                                        }
                                }
                        } elseif(!$discuz_uid && $hidemsg == 4 && $hidecut) {
                                $message = $hidecut >= strlen($message) ? $message : dhtmlspecialchars(cutstr($message, $hidecut)).'<br /><br />'.$language['post_hide_limit'];
                        }
                } elseif(!in_array($parsetype, array(1, 2)) && preg_match("/\[hide=?\d*\].+?\[\/hide\]/is", $message)) {DZ5.5 继续找到:
if($parsetype != 1 && preg_match("/\[hide=?\d*\].+?\[\/hide\]/is", $message)) {替换为:
//hidemsg by KaijuanStudio
                if($hidefids) {
                        foreach($hidefids as $hidefid) {
                                if($leavemod) {
                                        if($fid == $hidefid) {
                                                $unallowed = 1;
                                        } else {
                                                $allowhide = 1;
                                        }
                                } else {
                                        if($fid == $hidefid) {
                                                $allowhide = 1;
                                        }
                                }
                        }
                } elseif($fid) {
                        $allowhide = 1;
                }
                if($hidemsg && $allowhide && !$unallowed) {
                        global $language;
                        include_once language('misc');
                        $hidefirst = $hidemsg == 1 ? $first : ($hidemsg == 2 ? 1 : ($hidemsg == 3 ? ($first ? '' : 1) : ''));
                        if($hidefirst) {
                                if($hidecut < strlen($message)) {
                                        $query = $db->query("SELECT pid FROM {$tablepre}posts WHERE tid='$tid' AND authorid='$discuz_uid' LIMIT 1");
                                        if($GLOBALS['forum']['ismoderator'] || $db->result($query, 0)) {
                                                $message = '<span >'.$language['post_hide_reply'].'</span><br />'.
                                                '==============================<br /><br />'.
                                                $message.'<br /><br />'.
                                                '==============================';
                                        } else {
                                                $message = $hidecut ? ($hidecut >= strlen($message) ? $message : dhtmlspecialchars(cutstr($message, $hidecut)).'<br /><br /><b>'.$language['post_hide_reply_hidden'].'</b>') : '<b>'.$language['post_hide_reply_hidden'].'</b>';
                                        }
                                }
                        } elseif(!$discuz_uid && $hidemsg == 4 && $hidecut) {
                                $message = $hidecut >= strlen($message) ? $message : dhtmlspecialchars(cutstr($message, $hidecut)).'<br /><br />'.$language['post_hide_limit'];
                        }
                } elseif($parsetype != 1 && preg_match("/\[hide=?\d*\].+?\[\/hide\]/is", $message)) {
解决文本截断后代码错乱问题 (DZ4.1/DZ5.0/DZ5.5 相同)
解决方法一(推荐):
将上面已修改好的代码,选择从:
//hidemsg by KaijuanStudio开头,一直到:
                        $message = preg_replace("/\[hide=(\d+)\]\s*(.+?)\s*\[\/hide\]/ies", "creditshide(\\1,'\\2')", $message);
                }结尾的所有代码,然后将这一大段代码移动到:
if(!$bbcodeoff && $allowbbcode) {的下面一行里。
  这一方法最为简单,适用于没有启用 HTML 代码的论坛,对于文本截断末尾出现诸如没有闭合的代码,例如缺少:[/quote]、[/url]、[/img] 的内容,将以代码的方式显示。

    
[3]一篇不错的PHP基础学习笔记
    来源: 互联网  发布时间: 2013-11-30
1、  PHP片段四种表示形式。
标准tags:<?php           ?>
short tags:<?              ?> 需要在php.ini中设置short _open_tag=on,默认是on
asp tags: <%             %>需要在php.ini中设置asp_tags=on,默认是off
script tags:<script language=”php”></script>
2、  PHP变量及数据类型
1)        $variable  ,变量以字母、_开始,不能有空格
2)        赋值$variable=value;
3)        弱类型,直接赋值,不需要显示声明数据类型
4)        基本数据类型:Integer,Double,String,Boolean,Object(对象或类),Array(数组)
5)        特殊数据类型:Resourse(对第三方资源(如数据库)的引用),Null(空,未初始化的变量)
3、  操作符
1)        赋值操作符:=
2)        算术操作符:+,-,*,/,%(取模)
3)        连接操作符:. ,无论操作数是什么,都当成String,结果返回String
4)        Combined Assignment Operators合计赋值操作符:+=,*=,/=,-=,%=,.=
5)        Automatically Incrementing and Decrementing自动增减操作符:
(1)$variable+=1 <=>$variable++;$variable-=1 <=>$variable-,跟c语言一样,先做其他操作,后++或-
(2)++$variable,-$variable,先++或-,再做其他操作
6)        比较操作符:= =(左边等于右边),!=(左边不等于右边),= = =(左边等于右边,且数据类型相同),>=,>,<,<=
7)        逻辑操作符:|| ó or,&&óand,xor(当左右两边有且只有一个是true,返回true),!
4、  注释:
单行注释:// ,#
多行注释:/*  */
5、  每个语句以;号结尾,与java相同
6、  定义常量:define(“CONSTANS_NAME”,value)
7、  打印语句:print,与c语言相同
8、  流程控制语句
1)        if语句:
(1)if(expression)
{
//code to excute if expression evaluates to true
}
(2)if(expression)
{
}
else
{
}
(3)if(expression1)
{
}
elseif(expression2)
{
}
else
{
}
2)        swich语句
switch ( expression )
{
case result
// execute this if expression results in result1
break;
case result
// execute this if expression results in result2
break;
default:
// execute this if no break statement
// has been encountered hitherto
}
3)        ?操作符:
( expression )?returned_if_expression_is_true:returned_if_expression_is_false;
4)        while语句:
(1) while ( expression ) 
{
              // do something
}
(2)do
{
// code to be executed
} while ( expression );
5)        for语句:
for ( initialization expression; test expression; modification expression ) {
// code to be executed
}
6)        break;continue
9、  编写函数
1)        定义函数:
function function_name($argument1,$argument2,……) //形参
{
//function code here;
}
2)        函数调用
function_name($argument1,$argument2,……); //形参
3)        动态函数调用(Dynamic Function Calls):
<html>
<head>
<title>Listing 6.5</title>
</head>
<body>
<?php
function sayHello() {   //定义函数sayHello
print "hello<br>";
}
$function_holder = "sayHello";  //将函数名赋值给变量$function_holder
$function_holder();  //变量$function_holder成为函数sayHello的引用,调用$function_holder()相当于调用sayHello
?>
</body>
</html>
4)        变量作用域:
全局变量:
<html>
<head>
<title>Listing 6.8</title>
</head>
<body>
<?php
$life=42;
function meaningOfLife() {
global $life;
/*在此处重新声明$life为全局变量,在函数内部访问全局变量必须这样,如果在函数内改变变量的值,将在所有代码片段改变*/
print "The meaning of life is $life<br>";
}
meaningOfLife();
?>
</body>
</html>
5)        使用static
<html>
<head>
<title>Listing 6.10</title>
</head>
<body>
<?php
function numberedHeading( $txt ) {
static $num_of_calls = 0;
$num_of_calls++;
print "<h1>$num_of_calls. $txt</h1>";
}
numberedHeading("Widgets");  //第一次调用时,打印$num_of_calls值为1
print("We build a fine range of widgets<p>");
numberedHeading("Doodads");  /*第一次调用时,打印$num_of_calls值为2,因为变量是static型的,static型是常驻内存的*/
print("Finest in the world<p>");
?>
</body>
</html>
6)        传值(value)和传址(reference):
传值:function function_name($argument)
<html>
<head>
<title>Listing 6.13</title>
</head>
<body>
<?php
function addFive( $num ) {
$num += 5;
}
$orignum = 10;
addFive( &$orignum );
print( $orignum );
?>
</body>
</html>
结果:10
传址:funciton function_name(&$argument)
<html>
<head>
<title>Listing 6.14</title>
</head>
<body>
<?php
function addFive( &$num ) {
$num += 5;  /*传递过来的是变量$num的引用,因此改变形参$num的值就是真正改变变量$orignum物理内存中保存的值*/
}
$orignum = 10;
addFive( $orignum );
print( $orignum );
?>
</body>
</html>
结果:15
7)        创建匿名函数:create_function(‘string1','string2'); create_function是PHP内建函数,专门用于创建匿名函数,接受两个string型参数,第一个是参数列表,第二个是函数的主体
<html>
<head>
<title>Listing 6.15</title>
</head>
<body>
<?php
$my_anon = create_function( '$a, $b', 'return $a+$b;' );
print $my_anon( 3, 9 );
// prints 12
?>
</body>
</html>
8)        判断函数是否存在:function_exists(function_name),参数为函数名
10、              用PHP连接MySQL
1)        连接:&conn=mysql_connect("localhost", "joeuser", "somepass");
2)        关闭连接:mysql_close($conn);
3) 数据库与连接建立联系:mysql_select_db(database name, connection index);
4) 将SQL语句给MySQL执行:$result = mysql_query($sql, $conn); //增删改查都是这句
5) 检索数据:返回记录数:$number_of_rows = mysql_num_rows($result);
将记录放入数组:$newArray = mysql_fetch_array($result);
             例子:
   <?php
   // open the connection
   $conn = mysql_connect("localhost", "joeuser", "somepass");
   // pick the database to use
   mysql_select_db("testDB",$conn);
   // create the SQL statement
   $sql = "SELECT * FROM testTable";
   // execute the SQL statement
   $result = mysql_query($sql, $conn) or die(mysql_error());
  //go through each row in the result set and display data
  while ($newArray = mysql_fetch_array($result)) {
      // give a name to the fields
      $id = $newArray['id'];
      $testField = $newArray['testField'];
      //echo the results onscreen
      echo "The ID is $id and the text is $testField <br>";
  }
  ?>
11、              接受表单元素:$_POST[表单元素名],
如<input type=text  name=user>ó$_POST[user]
接受url中queryString中值(GET方式):$_GET[queryString]
12、转向其他页面:header("Location: http://www.samspublishing.com");
13、字符串操作:
1)explode(“-”,str)óJava中的splite
2)str_replace($str1,$str2,$str3) =>$str1要查找的字符串,$str2用来替换的字符串,$str3从这个字符串开始查找替换
3)substr_replace:
14、session:
1)打开session:session_start(); //也可以在php.ini设置session_auto_start=1,不必再每个script都写这句,但是默认为0,则必须要写。
2)给session赋值:$_SESSION[session_variable_name]=$variable;
3)访问session:$variable =$_SESSION[session_variable_name];
4)销毁session:session_destroy();
15、显示分类的完整例子:
<?php
//connect to database
$conn = mysql_connect("localhost", "joeuser", "somepass")
or die(mysql_error());
mysql_select_db("testDB",$conn) or die(mysql_error());
$display_block = "<h1>My Categories</h1>
<P>Select a category to see its items.</p>";
//show categories first
$get_cats = "select id, cat_title, cat_desc from
store_categories order by cat_title";
$get_cats_res = mysql_query($get_cats) or die(mysql_error());
if (mysql_num_rows($get_cats_res) < 1) { //如果返回记录行数小于1,则说明没有分类
$display_block = "<P><em>Sorry, no categories to browse.</em></p>";
} else {
while ($cats = mysql_fetch_array($get_cats_res)) { //将记录放入变量$cats中
$cat_id = $cats[id];
$cat_title = strtoupper(stripslashes($cats[cat_title]));
$cat_desc = stripslashes($cats[cat_desc]);
$display_block .= "<p><strong><a
href="/blog_article/$_SERVER[PHP_SELF][U1] /cat_id/$cat_id.html">$cat_title</a></strong>//点击此url,刷新本页,第28行读取cat_id,显示相应分类的条目
<br>$cat_desc</p>";
if ($_GET[cat_id] == $cat_id) { //选择一个分类,看下面的条目
//get items
$get_items = "select id, item_title, item_price
from store_items where cat_id = $cat_id
order by item_title";
$get_items_res = mysql_query($get_items) or die(mysql_error());
if (mysql_num_rows($get_items_res) < 1) {
$display_block = "<P><em>Sorry, no items in
this category.</em></p>";
} else {
$display_block .= "<ul>";
while ($items = mysql_fetch_array($get_items_res)) {
$item_id = $items[id];
$item_title = stripslashes($items[item_title]);
$item_price = $items[item_price];
$display_block .= "<li><a
href="/blog_article/showitem/item_id/$item_id.html">$item_title</a>
</strong> ($$item_price)";
[U2]                   }
$display_block .= "</ul>";
}
}
}
}
?>
<HTML>
<HEAD>
<TITLE>My Categories</TITLE>
</HEAD>
<BODY>
<? print $display_block; ?>
</BODY>
</HTML>
16、PHP连接Access:
<?  
$dbc=new com("adodb.connection");  
$dbc->open("driver=microsoft access driver (*.mdb);dbq=c:member.mdb");  
$rs=$dbc->execute("select * from tablename");  
$i=0;  
while (!$rs->eof){  
$i+=1  
$fld0=$rs->fields["UserName"];  
$fld0=$rs->fields["Password"]; 
....  
echo "$fld0->value $fld1->value ....";  
$rs->movenext();  
}  
$rs->close();  
?> 

    
最新技术文章:
▪PHP函数microtime()时间戳的定义与用法
▪PHP单一入口之apache配置内容
▪PHP数组排序方法总结(收藏)
▪php数组排序方法大全(脚本学堂整理奉献)
▪php数组排序的几个函数(附实例)
▪php二维数组排序(实例)
▪php根据键值对二维数组排序的小例子
▪php验证码(附截图)
▪php数组长度的获取方法(三个实例)
▪php获取数组长度的方法举例
▪判断php数组维度(php数组长度)的方法
▪php获取图片的exif信息的示例代码
▪PHP 数组key长度对性能的影响实例分析
▪php函数指定默认值的方法示例
▪php提交表单到当前页面、提交表单后页面重定...
▪php四舍五入的三种实现方法
▪php获得数组长度(元素个数)的方法
▪php日期函数的简单示例代码
▪php数学函数的简单示例代码
▪php字符串函数的简单示例代码
▪php文件下载代码(多浏览器兼容、支持中文文...
▪php实现文件下载、支持中文文件名的示例代码...
▪php文件下载(防止中文文件名乱码)的示例代码
▪解决PHP文件下载时中文文件名乱码的问题
▪php数组去重(一维、二维数组去重)的简单示例
▪php小数点后取两位的三种实现方法
▪php Redis 队列服务的简单示例
▪PHP导出excel时数字变为科学计数的解决方法
▪PHP数组根据值获取Key的简单示例
▪php数组去重的函数代码示例
 


站内导航:


特别声明:169IT网站部分信息来自互联网,如果侵犯您的权利,请及时告知,本站将立即删除!

©2012-2021,,E-mail:www_#163.com(请将#改为@)

浙ICP备11055608号-3