Do you want to work on Monday -PHP MySQLi, -phpmysqli
hi
I was originally ambitious to work, but unexpectedly, something unexpected happened. It was cloudy in the morning and I couldn't get up. At noon, I went back to the dormitory to fiddle with clothes (I'm a female worker, so I'm not awesome) and didn't take a nap. I was in such a confused state. , how to do scientific research, just write this.
1. OOP programming in PHP
4.7 Polymorphism
--Definition
Since there are various method implementations of interfaces, this feature is called polymorphism
--Chestnut
function eat($obj){
if($obj instanceof ICanEat){
$obj->eat("FOOD"); // You don’t need to know whether it is Human or Animal, just eat it
}else{
echo "Can't eat!n";
}
}
$man = new Human();
$monkey = new Animal();
// The same code behaves differently when passing in different implementation classes of the interface. That's why it becomes polymorphic.
eat($man);
eat($monkey);
--Summary
/**
* Polymorphism
* 1. As long as an object implements the interface (instanceof), you can directly call the interface method on the object
*/
4.8 Abstract Class
--Question
Some methods of the classes connected to the interface are the same, so is it possible to allow them to be implemented in the interface instead of being implemented in the class?
For example, humans and animals eat different things but breathe the same.
--Chestnut
abstract class ACanEat{ //Keyword changes
abstract public function eat($food);//If the class needs to implement it by itself, add the abstract keyword in front of it
public function breath(){
echo "Breath use the air.
";
}
}
class Human extends ACanEat{ //implements are used to implement the interface, and extends
public function eat($food){
echo "Human eating ".$food."
";
}
}
class Animal extends ACanEat{ //implements are used to implement the interface, here extends
public function eat($food){
echo "Animal eating ". $food."
";
}
}
$xiaoming=new Human();
$xiaohei=new Animal();
$xiaoming->breath();$xiaoming->eat("food");
$xiaohei->breath();$xiaohei->eat("shit");
--Summary
/**
* Abstract class
* 1. Abstract classes allow some methods in the class to be temporarily not implemented concretely. We call these methods abstract methods
* 2. Once there are abstract methods in a class, the class must be abstract Class
* 3. Abstract classes, like interfaces, cannot be directly instantiated into objects
*/
5. Magic methods
5.1 Introduction
Note that all magic methods are preceded by two underscores__
Special to OOP in PHP.
Such as constructor and destructor.
5.2 __tostring() and __invoke()
--Definition
__tostring(), this method will be automatically called when the object is used as String; echo $obj;
__invoke(), when the object is called as a method (function), this method is automatically called; $obj(4);
--Chestnut
/*
* tostring() magic method
* invoke() magic method
*/
class MagicTest{
public function __toString(){
return "This is the class magictest.";
}
public function __invoke($x){
echo "".$x;
}
}
$obj=new MagicTest();
echo $obj;
$obj(5);
Usage is similar to constructor and destructor. More automated (automatically called, even if not declared), but at the same time more error-prone, be careful.
5.3 __call() and __callStatic() or overloading
--Definition
When the object accesses a method name that does not exist, __call() will be automatically called;
When the object accesses a non-existent static method name, __callStatic() will be automatically called;
These two methods are also called overloading (different from rewriting); through these two methods, calls with the same method name can be implemented corresponding to different methods
--Chestnut
/*
* tostring() magic method
* invoke() magic method
*/
class MagicTest{
public function __toString(){
return "This is the class magictest.";
}
public function __invoke($x){
echo "".$x."
";
}
public function __call($name,$arguments){ //The format of __call is fixed, first The first is the method name, and the second is the parameters within the method
echo "Calling ".$name." with parameters: ".implode(",", $arguments)."
";
}
public static function __callstatic($name,$arguments){
echo "Static calling ".$name." with parameters: ".implode("," , $arguments)."
";
}
}
$obj=new MagicTest();
echo $obj;
$obj(5);
$obj->runTest("para1","para2");
$obj::runTest("para3","para4");
Note that the format required when defining methods is fixed.
5.4 __get()__set()__isset()__unset
--Definition
These methods are also called the magic methods of Attribute overloading.
__set(), called when assigning a value to inaccessible attributes (one is that the attribute is undefined, the other is that there is no access permission, such as private) ;
__get(), called when reading the value of an inaccessible attribute;
__isset(), called when isset() or empty() is called on an inaccessible property;
__unset(),. . . . . . . . . unset(). . . . . . . . . .
--Chestnut
/*
* tostring() magic method
* invoke() magic method
*/
class MagicTest{
public function __toString(){
return "This is the class magictest.";
}
public function __invoke($x){
echo "".$x."
";
}
public function __call($name,$arguments){ //The format of __call is fixed, the first one is the method name, the second one is the parameter within the method
echo "Calling ".$name." with parameters: ".implode(",", $arguments)."
";
}
public static function __callstatic($name,$arguments){
echo "Static calling ".$name." with parameters: ".implode(",", $arguments)."
";
}
public function __get($name){ //get must have name
return "Getting the property ".$name."
" ;
}
public function __set($name,$value){ //set must have a name and value
echo "Setting the property ".$name." to value ". $value.".
";
}
public function __isset($name){ //Determine whether the attribute is defined
echo "__isset invoked
";
return true;
}
public function __unset($name){ //Undo
echo "unsetting protery ".$name."";
return true;
}
}
$obj=new MagicTest();
echo $obj;
$obj(5);
$obj->runTest("para1","para2");
$obj::runTest("para3","para4");
echo $obj->classname;
$obj->classname="shit";
echo isset($obj->classname)."
";
unset($obj->classname);echo "
";
echo empty($obj->classname)."
";
The result is
This is the class magictest.
5
Calling runTest with parameters: para1,para2
Static calling runTest with parameters: para3,para4
Getting the property classname
Setting the property classname to value shit.
__isset invoked
1
unsetting protery classname
__isset invoked
As you can see, actually isset and empty have opposite operations when calling __isset.
Then, __set($name, $value) and __unset($name) are a pair of opposite operations, but the required elements are different;
__isset($name), __get($name)all only require names (remember the function of each magic method, it will be easier to remember if you understand it).
5.5 __clone()
--Definition
It’s cloning, or cloning
--Chestnut
First give the usage of clone keyword.
/*
* Clone magic method
*/
class nbaPlayer{
public $name;
}
$james=new nbaPlayer();
$james->name='James';
echo $james->name."
";
$kobe=clone $james;
$kobe->name='Kobe';
echo $kobe->name;
After cloning, it is a separate object, and operations on it do not affect the original object.
Add __clone()
/*
* Clone magic method
*/
class nbaPlayer{
public $name;
public function __clone(){
$this->name="shit";
}
}
$james=new nbaPlayer();
$james->name='James';
echo $james->name."
";
$kobe=clone $james;
echo $kobe->name."
";
$kobe->name='Kobe';
echo $kobe->name."
";
Generally speaking, it is useful for initialization after cloning; or, concealing certain information that you don’t want to disclose after copying.
I often use this one in my work, because I often operate on an object, and I don’t want to affect the original data , so I just clone/copy it.
----------------------------------------
2. MySQLi extension
1. Installation and download
1.1 Advantages and Introduction
Updated and better, PHP5 and later are recommended (or PDO).
--Advantages
Based on OOP and process-oriented use;
Supports prepared statements;
Support transactions.
--Others
Faster. Better security
1.2 Installation and Configuration
--Install
Configure php and open php_mysqli.dll;
Configure extension_dir='ext directory location';
Restart the server.
(I use WAMP, just check the box)
--Verification
/*
* Verify whether mysqli is enabled
*/
//phpinfo();
//2. Check whether the extension has been loaded
var_dump(extension_loaded('mysqli'));
var_dump(extension_loaded('curl'));
echo '
';
//3. Check whether the function exists
var_dump(function_exists('mysqli_connect'));
echo '
';
//4. Get the currently enabled extensions
print_r(get_loaded_extensions());
echo '
';
---
I’m sleepy, go back and wash up and go to bed. . .

在使用PHP编写Web应用程序时,经常会使用MySQL数据库来存储数据。PHP提供了一种与MySQL数据库进行交互的方法,称为MySQLi。然而,有时在使用MySQLi时,会遇到一个错误信息,如以下所示:PHPFatalerror:Calltoundefinedfunctionmysqli_connect()这个错误信息意味着PHP无法找到my

php无法连接mysqli的解决办法:1、打开“php.ini”文件;2、找到“mysqli.reconnect”;3、将“mysqli.reconnect = OFF”改成“mysqli.reconnect = on”即可。

PDOPDO是一个面向对象的数据库访问抽象层,它为PHP提供了一个统一的接口,允许您使用相同的代码与不同的数据库(如Mysql、postgresql、oracle)进行交互。PDO隐藏了底层数据库连接的复杂性,简化了数据库操作。优缺点优点:统一接口,支持多种数据库简化数据库操作,降低开发难度提供预处理语句,提高安全性支持事务处理缺点:性能可能比原生扩展稍低依赖外部库,可能会增加开销演示代码使用PDO连接mysql数据库:$db=newPDO("mysql:host=localhost;dbnam

mysql的运行文件是mysqld;mysqld是一个可执行文件,代表着Mysql服务器程序,执行这个文件可以直接启动一个服务器进程;而mysqld_safe是一个启动脚本,它会间接调用mysqld,并且还会顺带启动一个监控进程。

如果你使用PHP连接MySQL数据库时遇到了以下错误提示:PHPWarning:mysqli_connect():(HY000/2002):Connectionrefused那么你可以尝试按照下面的步骤来解决这个问题。确认MySQL服务是否正常运行首先应该检查MySQL服务是否正常运行,如果服务未运行或者启动失败,就可能会导致连接被拒绝的错误。你可

如何在PHP中使用MySQLi建立数据库连接:包含MySQLi扩展(require_once)创建连接函数(functionconnect_to_db)调用连接函数($conn=connect_to_db())执行查询($result=$conn->query())关闭连接($conn->close())

当使用mysqli扩展来连接和操作MySQL数据库时,有时会遇到PHPFatalerror:Calltoundefinedmethodmysqli::prepare()的错误。这个错误通常是由以下几个原因引起的:PHP对mysqli扩展的支持不足;mysqli扩展没有正确加载或配置;PHP代码存在语法错误;MySQL服务器没有正确配置或正在运行

在使用PHP开发网站时,数据库的操作是非常常见的。而MySQLi是PHP中常用的操作MySQL数据库的扩展,提供了比较完备的面向对象接口、过程化接口,以及支持预处理语句的操作。但是有时候我们在使用mysqli的预处理语句时,会遇到这样的错误:PHPFatalerror:Calltoundefinedfunctionmysqli_stmt_bin


Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

AI Hentai Generator
Generate AI Hentai for free.

Hot Article

Hot Tools

MinGW - Minimalist GNU for Windows
This project is in the process of being migrated to osdn.net/projects/mingw, you can continue to follow us there. MinGW: A native Windows port of the GNU Compiler Collection (GCC), freely distributable import libraries and header files for building native Windows applications; includes extensions to the MSVC runtime to support C99 functionality. All MinGW software can run on 64-bit Windows platforms.

mPDF
mPDF is a PHP library that can generate PDF files from UTF-8 encoded HTML. The original author, Ian Back, wrote mPDF to output PDF files "on the fly" from his website and handle different languages. It is slower than original scripts like HTML2FPDF and produces larger files when using Unicode fonts, but supports CSS styles etc. and has a lot of enhancements. Supports almost all languages, including RTL (Arabic and Hebrew) and CJK (Chinese, Japanese and Korean). Supports nested block-level elements (such as P, DIV),

WebStorm Mac version
Useful JavaScript development tools

Atom editor mac version download
The most popular open source editor

ZendStudio 13.5.1 Mac
Powerful PHP integrated development environment
