Home Backend Development PHP Tutorial PHP高级技巧全放送(下)_PHP

PHP高级技巧全放送(下)_PHP

Jun 01, 2016 pm 12:35 PM
use image Skill advanced

如果需要在数组的开头添加元素其代码与上面的代码差不多唯一的不同之处是需要用array_unshift()代替array_push()

/* 建立一个数组*/
$fruitArray = array("apple", "orange", "banana", "kiwi", "pear");
/* 向数组中添加元素*/
array_unshift($fruitArray, "grape", "pineapple", "tomato");
/* 显示每个元素及其序号*/
while (list($key,$value) = each($fruitArray)) {
echo "$key : $value
"
;
}
?>
运行上面的程序将得到下面的结果
0 : grape
1 : pineapple
2 : tomato
3 : apple
4 : orange
5 : banana
6 : kiwi
7 : pear
array_merge()函数可以把二个或更多的数组合并为一个数组。
/*建立第一个数组*/
$fruitArray = array("apple", "orange", "banana", "kiwi", "pear");
/*/建立第二个数组*/
$vegArray = array("carrot", "green beans", "asparagus", "artichoke", "corn");
/*把这二个数组合并为一个数组*/
$goodfoodArray = array_merge($fruitArray, $vegArray);
/* 显示每个元素及其序号*/
while (list($key,$value) = each($goodfoodArray)) {
echo "$key : $value
"
;
}
?>
运行上面的脚本将得到下面的结果
0 : apple
1 : orange
2 : banana
3 : kiwi
4 : pear
5 : carrot
6 : green beans
7 : asparagus
8 : artichoke
9 : corn
现在我们已经掌握了如何添加元素和合并数组我们再来看看如何从一个数组中删除元素。从一个数组的末尾删除一个元素可以使用array_pop()函数使用array_shift()函数可以从一个数组的开头删除一个元素。尽管使用array_pop()或 array_shift()从数组中删除了一个元素你还可以把这个元素当作一个变量来使用。
使用array_pop()从一个数组的末尾删除一个元素

/*建立一个数组*/
$fruitArray = array("apple", "orange", "banana", "kiwi", "pear");
/* 从数组的末尾删除一个元素*/
$popped = array_pop($fruitArray);
/* 显示删除后数组的内容和你删除的元素*/
while (list($key,$value) = each($fruitArray)) {
echo "$key : $value
"
;
}
echo "
and finally, in $popped: $popped"
;
?>
运行上面的脚本会得到下面的结果
0 : apple
1 : orange
2 : banana
3 : kiwi
and finally, in $popped: pear
我们再来讨论一个从一个数组的末尾删除元素的例子

/* 建立一个数组*/
$fruitArray = array("apple", "orange", "banana", "kiwi", "pear");
/*从一个数组的开始删除一个元素*/
$shifted = array_shift($fruitArray);
/* 显示删除后数组的内容和你删除的元素*/
while (list($key,$value) = each($fruitArray)) {
echo "$key : $value
"
;
}
echo "
and finally, in $shifted: $shifted"
;
?>
运行上述脚本会得到如下的显示结果
0 : orange
1 : banana
2 : kiwi
3 : pear
and finally, in $shifted: apple
另外还有几个函数可以对数组中的元素进行排序但在这里我们将只简要介绍基本的排序函数说明排序的过程
/*建立一个数组*/
$fruitArray = array("apple", "orange", "banana", "kiwi", "pear");
/* 对数组进行排序*/
sort($fruitArray);
/*显示每个元素及其序号*/
while (list($key,$value) = each($fruitArray)) {
echo "$key : $value
"
;
}
?>
运行上述的脚本会得到如下的显示结果
0 : apple
1 : banana
2 : kiwi
3 : orange
4 : pear
六、动态图像的创建
只要安装一些第三方的库文件并具有一定的几何知识就可以利用PHP来创建和处理图像了。事实上这不需要太多的几何知识因为我大学没有毕业仍然可以利用PHP创建图像。
在使用基本的图像创建函数之前需要安装GD库文件。如果要使用与JPEG有关的图像创建函数还需要安装jpeg-6b如果要在图像中使用Type 1型字体则必须安装t1lib。
在建立图像创建环境之前还需要作一些准备工作。首先安装t1lib其次安装jpeg-6b然后再安装GD库文件。在安装时一定要按这里给定的顺序进行安装因为在编译GD为库时会用到jpeg-6b如果没有安装jpeg-6b在编译时就会出错。
在安装完这三个组件后还需要重新配置PHP这也是你对采用DSO方式安装PHP感到庆幸的地方之一。运行make clean然后在当前的配置中添加下面的内容
--with-gd=[/path/to/gd]
--with-jpeg-dir=[/path/to/jpeg-6b]
--with-t1lib=[/path/to/t1lib]
完成添加后执行make命令然后再执行make install命令。重新启动Apache后运行phpinfo()来检查一下新的设置是否生效了。现在就可以开始图像创建工作了。
根据所安装的GD库文件的版本不同你也许能或者不能创建GIF或PNG格式的图形文件如果安装的是gd-1.6或以前的版本可以使用GIF格式的文件但不能创建PNG格式如果安装的是gd-1.6以后的版本可以创建PNG文件但不能创建GIF格式的文件。
创建一幅简单的图像也需要用到许多的函数我们将一步一步地进行说明。
在这个例子中我们将创建一个PNG格式的图像文件下面的代码是一个包含所创建的图像的MIME类型的头部
header ("Content-type: image/png");
使用ImageCreate()创建一个代表空白图像的变量这个函数要求以像素为单位的图像大小的参数其格式是ImageCreate(x_size, y_size)。如果要创建一个大小为250X250的图像就可以使用下面的语句
$newImg = ImageCreate(250,250);
由于图像还是空白的因此你可能会希望用一些彩色来填充它。然而你需要首先使用ImageColorAllocate()函数用其RGB值为这种颜色指定一个名字这一函数的格式为ImageColorAllocate([image], [red], [green], [blue])。如果要定义天蓝色可以使用如下的语句
$skyblue = ImageColorAllocate($newImg,136,193,255);
接下来需要使用ImageFill()函数用这种颜色填充这个图像ImageFill()函数有几个版本例如ImageFillRectangle()、ImageFillPolygon()等。为简单起见我们通过如下的格式使用ImageFill()函数
ImageFill([image], [start x point], [start y point], [color])
ImageFill($newImg,0,0,$skyblue);
最后建立图像后释放图像句柄和所占用的内存
ImagePNG($newImg);
ImageDestroy($newImg); ?>
这样创建图像的全部代码如下所示
header ("Content-type: image/png");
$newImg = ImageCreate(250,250);
$skyblue = ImageColorAllocate($newImg,136,193,255);
ImageFill($newImg,0,0,$skyblue);
ImagePNG($newImg);
ImageDestroy($newImg);
?>
如果把这个脚本文件保存为skyblue.php并用浏览器访问它就会看到一个天蓝色的250X250的PNG格式的图像。
我们还可以使用图像创建函数对图像进行处理例如把一个较大图像作成一个小图像
假设你有一幅图像想从中裁剪出一个35X35大小的图像。你所需要作的是创建一个35X35大小的空白图像创建一个包含原来图像的图像流然后把一个经过调整大小的原来的图像放到新的空白图像中。
要完成这一任务的关健函数是ImageCopyResized()它要求的格式如下所示ImageCopyResized([new image handle],[original image handle],[new image X], [new Image Y], [original image X], [original image Y], [new image X], [new image Y], [original image X], [original image Y])
/* 发送一个头部,以便让浏览器知道该文件所包含的内容类型*/
header("Content-type: image/png");
/* 建立保存新图像高度和宽度的变量*/
$newWidth = 35;
$newHeight = 35;
/* 建立给定高度和宽度的新的空白图像*/
$newImg = ImageCreate($newWidth,$newHeight);
/* 从原来较大的图像中得到数据*/
$origImg = ImageCreateFromPNG("test.png");
/*拷贝调整大小后的图像,使用ImageSX()、ImageSY()得到原来的图像在X、Y方面上的大小 */
ImageCopyResized($newImg,$origImg,0,0,0,0,$newWidth,$newHeight,ImageSX($origImg),ImageSY($origImg));
/*创建希望得到的图像,释放内存 */
ImagePNG($newImg);
ImageDestroy($newImg); ?>
如果把这一小段脚本保存为resized.php然后用浏览器对它进行访问就会看到一个35X35大小的PNG格式的图形。
七、基于PHP的用户认证
如果希望在每一段脚本上都进行口令保护可以结合使用header()语句、$PHP_AUTH_USER和$PHP_AUTH_PW来建立基本的认证方案通常的基于服务器的提问/响应顺序都如下所示
1、用户从服务器上请求一个文件。如果这个文件在服务器上是被保护的则在响应的头部向用户返回一个401示经授权的用户字符串。
2、浏览器收到这个响应后弹出要求用户输入用户名/口令的对话框。
3、用户在对话框中输入一个用户名和口令点击OK按钮将信息返回服务器供认证使用。
4、如果用户名和口令有效被保护的文件将向用户开放只要用户还在使用文件认证会一直有效。
一段简单的PHP脚本文件通过向用户发送一个适当的能够引起自动显示用户名/口令对话框的HTTP头部就可以模仿HTTP的提问/响应系统PHP把用户在用户名/口令对话框中输入的信息存储在$PHP_AUTH_USER和$PHP_AUTH_PW中使用这二个变量就可以与存储在文本文件、数据库等文件中的用户名/口令进行比较。
这个例子采用了二个硬编码的值进行认证但无论用户名和口令放在什么地方其原理都是相同的。

/* 检查$PHP_AUTH_USER和$PHP_AUTH_PW中的值*/
if ((!isset($PHP_AUTH_USER)) || (!isset($PHP_AUTH_PW))) {
/* 如果没有值,则发送一个能够引发对话框出现的头部*/
header('WWW-Authenticate: Basic realm="My Private Stuff"');
header('HTTP/1.0 401 Unauthorized');
echo 'Authorization Required.';
exit;
} else if ((isset($PHP_AUTH_USER)) && (isset($PHP_AUTH_PW))){
/* 变量中有值,检查它们是否正确*/
if (($PHP_AUTH_USER != "validname") || ($PHP_AUTH_PW != "goodpassword")) {
/* 如果输入的用户名和口令中有一个不正确,则发送一个能够引发对话框出现的头部 */
header('WWW-Authenticate: Basic realm="My Private Stuff"');
header('HTTP/1.0 401 Unauthorized');
echo 'Authorization Required.';
exit;
} else if (($PHP_AUTH_USER == "validname") || ($PHP_AUTH_PW == "goodpassword")) {
/* 如果二个值都正确,显示成功的信息 */
echo "

You're authorized!

";
}
}
?>
需要注意的是,如果你使用的是基于文件的保护机制,它并不能保证目录中所有的文件的安全。它可能保护大部分的文件,如果你认为它能够保护给定目录中的所有文件,你的这种认识就需要变变了。
八、PHP和COM
如果你喜欢冒险,并且在Windows上运行CGI、ISAPI或Apache模块版本的PHP,就可以访问COM的函数。好了,详细解释COM的工作就交给微软和许多大部头的书了,为了能简单地了解一下COM的功能,下面是一小段常见的脚本。
这一段PHP脚本在后端启动微软的字处理Word,打开一个新的文档,输入一些文字,保存文档,并关闭Word。

// 建立一个指向新COM组件的索引
$word = new COM("word.application") or die("Can'
t start Word!");
// 显示目前正在使用的Word的版本号
echo "Loading Word, v. {$word->Version}
";
// 把它的可见性设置为0(假),如果要使它在最前端打开,使用1(真)
// to open the application in the forefront, use 1 (true)
$word->Visible = 0;
// 在Word中创建新的文档
$word->Documents->Add();
// 在新文档中添加文字
$word->Selection->TypeText("Testing 1-2-3...");
//把文档保存在Windows临时目录中
$word->Documents[1]->SaveAs("/Windows/temp/comtest.doc");
// 关闭与COM组件之间的连接
$word->Quit();
// 在屏幕上显示其他信息
echo "Check for the file...";
?>
如果你有一个intranet网站数据存储在SQL Server中用户需要这些数据的Excel格式则可以让PHP运行必要的SQL查询并对输出进行格式化然后利用COM打开Excel把数据转化为Excel格式的数据然后把数据保存在用户的台式机上。
九、PHP和Java
PHP另一个有趣的功

Statement of this Website
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
2 weeks ago By 尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. Best Graphic Settings
2 weeks ago By 尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

What software is crystaldiskmark? -How to use crystaldiskmark? What software is crystaldiskmark? -How to use crystaldiskmark? Mar 18, 2024 pm 02:58 PM

CrystalDiskMark is a small HDD benchmark tool for hard drives that quickly measures sequential and random read/write speeds. Next, let the editor introduce CrystalDiskMark to you and how to use crystaldiskmark~ 1. Introduction to CrystalDiskMark CrystalDiskMark is a widely used disk performance testing tool used to evaluate the read and write speed and performance of mechanical hard drives and solid-state drives (SSD). Random I/O performance. It is a free Windows application and provides a user-friendly interface and various test modes to evaluate different aspects of hard drive performance and is widely used in hardware reviews

How to use Baidu Netdisk app How to use Baidu Netdisk app Mar 27, 2024 pm 06:46 PM

Cloud storage has become an indispensable part of our daily life and work nowadays. As one of the leading cloud storage services in China, Baidu Netdisk has won the favor of a large number of users with its powerful storage functions, efficient transmission speed and convenient operation experience. And whether you want to back up important files, share information, watch videos online, or listen to music, Baidu Cloud Disk can meet your needs. However, many users may not understand the specific use method of Baidu Netdisk app, so this tutorial will introduce in detail how to use Baidu Netdisk app. Users who are still confused can follow this article to learn more. ! How to use Baidu Cloud Network Disk: 1. Installation First, when downloading and installing Baidu Cloud software, please select the custom installation option.

How to use NetEase Mailbox Master How to use NetEase Mailbox Master Mar 27, 2024 pm 05:32 PM

NetEase Mailbox, as an email address widely used by Chinese netizens, has always won the trust of users with its stable and efficient services. NetEase Mailbox Master is an email software specially created for mobile phone users. It greatly simplifies the process of sending and receiving emails and makes our email processing more convenient. So how to use NetEase Mailbox Master, and what specific functions it has. Below, the editor of this site will give you a detailed introduction, hoping to help you! First, you can search and download the NetEase Mailbox Master app in the mobile app store. Search for "NetEase Mailbox Master" in App Store or Baidu Mobile Assistant, and then follow the prompts to install it. After the download and installation is completed, we open the NetEase email account and log in. The login interface is as shown below

Win11 Tips Sharing: Skip Microsoft Account Login with One Trick Win11 Tips Sharing: Skip Microsoft Account Login with One Trick Mar 27, 2024 pm 02:57 PM

Win11 Tips Sharing: One trick to skip Microsoft account login Windows 11 is the latest operating system launched by Microsoft, with a new design style and many practical functions. However, for some users, having to log in to their Microsoft account every time they boot up the system can be a bit annoying. If you are one of them, you might as well try the following tips, which will allow you to skip logging in with a Microsoft account and enter the desktop interface directly. First, we need to create a local account in the system to log in instead of a Microsoft account. The advantage of doing this is

BTCC tutorial: How to bind and use MetaMask wallet on BTCC exchange? BTCC tutorial: How to bind and use MetaMask wallet on BTCC exchange? Apr 26, 2024 am 09:40 AM

MetaMask (also called Little Fox Wallet in Chinese) is a free and well-received encryption wallet software. Currently, BTCC supports binding to the MetaMask wallet. After binding, you can use the MetaMask wallet to quickly log in, store value, buy coins, etc., and you can also get 20 USDT trial bonus for the first time binding. In the BTCCMetaMask wallet tutorial, we will introduce in detail how to register and use MetaMask, and how to bind and use the Little Fox wallet in BTCC. What is MetaMask wallet? With over 30 million users, MetaMask Little Fox Wallet is one of the most popular cryptocurrency wallets today. It is free to use and can be installed on the network as an extension

What are the tips for novices to create forms? What are the tips for novices to create forms? Mar 21, 2024 am 09:11 AM

We often create and edit tables in excel, but as a novice who has just come into contact with the software, how to use excel to create tables is not as easy as it is for us. Below, we will conduct some drills on some steps of table creation that novices, that is, beginners, need to master. We hope it will be helpful to those in need. A sample form for beginners is shown below: Let’s see how to complete it! 1. There are two methods to create a new excel document. You can right-click the mouse on a blank location on the [Desktop] - [New] - [xls] file. You can also [Start]-[All Programs]-[Microsoft Office]-[Microsoft Excel 20**] 2. Double-click our new ex

A must-have for veterans: Tips and precautions for * and & in C language A must-have for veterans: Tips and precautions for * and & in C language Apr 04, 2024 am 08:21 AM

In C language, it represents a pointer, which stores the address of other variables; & represents the address operator, which returns the memory address of a variable. Tips for using pointers include defining pointers, dereferencing pointers, and ensuring that pointers point to valid addresses; tips for using address operators & include obtaining variable addresses, and returning the address of the first element of the array when obtaining the address of an array element. A practical example demonstrating the use of pointer and address operators to reverse a string.

How to use Xiaomi Auto app How to use Xiaomi Auto app Apr 01, 2024 pm 09:19 PM

Xiaomi car software provides remote car control functions, allowing users to remotely control the vehicle through mobile phones or computers, such as opening and closing the vehicle's doors and windows, starting the engine, controlling the vehicle's air conditioner and audio, etc. The following is the use and content of this software, let's learn about it together . Comprehensive list of Xiaomi Auto app functions and usage methods 1. The Xiaomi Auto app was launched on the Apple AppStore on March 25, and can now be downloaded from the app store on Android phones; Car purchase: Learn about the core highlights and technical parameters of Xiaomi Auto, and make an appointment for a test drive. Configure and order your Xiaomi car, and support online processing of car pickup to-do items. 3. Community: Understand Xiaomi Auto brand information, exchange car experience, and share wonderful car life; 4. Car control: The mobile phone is the remote control, remote control, real-time security, easy

See all articles