搜尋
首頁後端開發php教程 CI框架源码阅览-URI.php

CI框架源码阅读---------URI.php

<?php if ( ! defined('BASEPATH')) exit('No direct script access allowed');
/**
 * CodeIgniter
 *
 * An open source application development framework for PHP 5.1.6 or newer
 *
 * @package		CodeIgniter
 * @author		ExpressionEngine Dev Team
 * @copyright	Copyright (c) 2008 - 2011, EllisLab, Inc.
 * @license		http://codeigniter.com/user_guide/license.html
 * @link		http://codeigniter.com
 * @since		Version 1.0
 * @filesource
 */

// ------------------------------------

/**
 * URI Class
 *
 * Parses 解析 URIs and determines routing
 *
 * @package		CodeIgniter
 * @subpackage	Libraries
 * @category	URI
 * @author		ExpressionEngine Dev Team
 * @link		http://codeigniter.com/user_guide/libraries/uri.html
 */
class CI_URI {

	/**
	 * List of cached uri segments
	 * 缓存uri段列表
	 * @var array
	 * @access public
	 */
	var	$keyval			= array();
	/**
	 * Current uri string
	 * 当前uri字符串
	 * @var string
	 * @access public
	 */
	var $uri_string;
	/**
	 * List of uri segments
	 * uri段列表
	 * @var array
	 * @access public
	 */
	var $segments		= array();
	/**
	 * Re-indexed list of uri segments
	 * Starts at 1 instead of 0
	 * 从1开始重新索引rui段列表
	 * @var array
	 * @access public
	 */
	var $rsegments		= array();

	/**
	 * Constructor
	 *
	 * Simply globalizes the $RTR object.  The front
	 * loads the Router class early on so it's not available
	 * normally as other classes are.
	 *
	 * @access	public
	 */
	function __construct()
	{
		$this->config =& load_class('Config', 'core');
		log_message('debug', "URI Class Initialized");
	}


	// --------------------------------

	/**
	 * Get the URI String
	 *
	 * @access	private
	 * @return	string
	 */
	function _fetch_uri_string()
	{
		// 下面的uri_protocol是在config.php里面的一个配置项,
		// 其实是问你用哪种方式去检测uri的信息的意思,
  		// 默认是AUTO,自动检测,也就是通过各种方式检测,直至检测到,或者全部方式都检测完。。
		if (strtoupper($this->config->item('uri_protocol')) == 'AUTO')
		{
			// Is the request coming from the command line?
			// 开始尝试各种方式,主要有:命令行,REQUEST_URI, PATH_INFO, QUERY_STRING. 
   
   			// 下面会多次出现$this->_set_uri_string($str)这个方法,这个方法没别的,就是把$str经过
   			// 过滤和修剪后值给$this->uri_string属性,在这里暂时可以理解为就是赋值。 
   
   			// 如果脚本是在命令行模式下运行的话,那么参数就是通过$_SERVER['argv']来传递。下面的
   			// $this->_parse_cli_args();就是拿到符合我们需要的路由相关的一些参数
			// 如果你没用命令行执行脚本的话,下面这个if暂时可以不用管。
			// 这时候我们发现URI类用函数php_sapi_name()来测试不同的环境
			// 在apache环境下面输出的结果是“apache2handler”; 
			// 在cgi模式下输出的结果是“cgi-fcgi” 
			// 要是在命令行模式下面运行的话,那么输出的结果是:”cli” 

			if (php_sapi_name() == 'cli' or defined('STDIN'))
			{
				$this->_set_uri_string($this->_parse_cli_args());
				return;
			}

			// Let's try the REQUEST_URI first, this will work in most situations
			// 查找uri
			if ($uri = $this->_detect_uri())
			{
				// 如果找到uri 设置$this->uri_string
				$this->_set_uri_string($uri);
				return;
			}

			// Is there a PATH_INFO variable? 
			// Note: some servers seem 似乎 to have trouble 麻烦 with getenv() so we'll test it two ways
			// 获取path $_SERVER['PATH_INFO'] 并不是每次请求都会有的所以当没有的时候使用getenv('PATH_INFO')
			$path = (isset($_SERVER['PATH_INFO'])) ? $_SERVER['PATH_INFO'] : @getenv('PATH_INFO');
			if (trim($path, '/') != '' && $path != "/".SELF)
			{
				$this->_set_uri_string($path);
				return;
			}

			// No PATH_INFO?... What about QUERY_STRING?
			// 如果没有找到$_SERVER['PATH_INFO'] 我们使用QUERY_STRING
			$path =  (isset($_SERVER['QUERY_STRING'])) ? $_SERVER['QUERY_STRING'] : @getenv('QUERY_STRING');
			if (trim($path, '/') != '')
			{
				$this->_set_uri_string($path);
				return;
			}

			// As a last ditch effort lets try using the $_GET array
			// 如果PATH_INFO和QUERY_STRING都没找到我们只能使用$_GET
			if (is_array($_GET) && count($_GET) == 1 && trim(key($_GET), '/') != '')
			{
				$this->_set_uri_string(key($_GET));
				return;
			}

			// We've exhausted all our options...
			// 经过以上的努力我们还没有找到uri那么我们就真的找不到了
			$this->uri_string = '';
			return;
		}

		// 这里重新写了一遍获取uri_protocol 其实我觉得完全可以只获取一次嘛。。。
		$uri = strtoupper($this->config->item('uri_protocol'));

		// 下面就是根据不同的方式来选择不同的办法获取uri了
		if ($uri == 'REQUEST_URI')
		{
			$this->_set_uri_string($this->_detect_uri());
			return;
		}
		elseif ($uri == 'CLI')
		{
			$this->_set_uri_string($this->_parse_cli_args());
			return;
		}
		// 如果你定义的uri_protocol是在AUTO REQUEST_URI CLI这三种方式之外的就执行下面这段了。 
		$path = (isset($_SERVER[$uri])) ? $_SERVER[$uri] : @getenv($uri);
		$this->_set_uri_string($path);
	}

	// --------------------------------

	/**
	 * Set the URI String
	 *
	 * @access	public
	 * @param 	string
	 * @return	string
	 */
	function _set_uri_string($str)
	{
		// Filter out control characters
		// 过滤字符串 remove_invisible_characters 函数式在common.php中
		$str = remove_invisible_characters($str, FALSE);

		// If the URI contains only a slash we'll kill it
		// 如果字符串只包含一个/则清空
		$this->uri_string = ($str == '/') ? '' : $str;
	}

	// --------------------------------

	/**
	 * Detects the URI
	 * 查找uri
	 * This function will detect the URI automatically and fix the query string
	 * if necessary. 必需品
	 * 如果有必要的话,这个函数将自动查找uri并且固定查询字符串。
	 *
	 * @access	private
	 * @return	string
	 */
	private function _detect_uri()
	{
		// 如果两个值有一个没有则返回(两个变量是从web server那边来的,碰到一些特别的server程序, 这个是有可能为空的.)
		if ( ! isset($_SERVER['REQUEST_URI']) OR ! isset($_SERVER['SCRIPT_NAME']))
		{
			return '';
		}
		// 获取uri
		$uri = $_SERVER['REQUEST_URI'];
		// 如果SCRIPT_NAME  在$uri 中第一次出现的位置是0 
		if (strpos($uri, $_SERVER['SCRIPT_NAME']) === 0)
		{
			// 去掉uri 和 SCRIPT_NAME 相同的部分
			$uri = substr($uri, strlen($_SERVER['SCRIPT_NAME']));
		}
		// 这里作用同上 只是将$_SERVER['SCRIPT_NAME']换成了
		// dirname($_SERVER['SCRIPT_NAME'])
		elseif (strpos($uri, dirname($_SERVER['SCRIPT_NAME'])) === 0)
		{
			$uri = substr($uri, strlen(dirname($_SERVER['SCRIPT_NAME'])));
		}

		// This section ensures 保证 that even on servers that require the URI
		// to be in the query string (Nginx) a correct 正确的
		// URI is found, and also fixes 修理 the QUERY_STRING server var and $_GET array.
		// 这部分保证,uri可以被正确的找到即使是在Nginx服务器上,并且还修复了的QUERY_STRING服务器和$ _GET数组。
		// 判断$uri的前两个字符是不是?/
		if (strncmp($uri, '?/', 2) === 0)
		{
			// 去掉前两个字符
			$uri = substr($uri, 2);
		}
		// 用正册对字符串进行分割
		$parts = preg_split('#\?#i', $uri, 2);
		$uri = $parts[0];
		// 如果是能通过上述的正则分割出两段,那么,是通过query_string即?的形式进行路由访问
		if (isset($parts[1]))
		{
			$_SERVER['QUERY_STRING'] = $parts[1];
			// 函数把查询字符串解析到$_GET变量中。
			parse_str($_SERVER['QUERY_STRING'], $_GET);
		}
		else
		{
			$_SERVER['QUERY_STRING'] = '';
			$_GET = array();
		}

		// 如果为/,或者为空,有两种情况,要么就是通过query_string即?的形式进行路由访问,
		// 所以此时$parts[0]就是等于下面两种可能,同时我们
		// 已经通过$parts[1]拿到要拿的信息,则可以返回。
		// 要么就是以段的形式,但是段的信息为空,即直接访问入口文件而没有
		// 任何路由信息的传递,也可以直接返回。
		if ($uri == '/' || empty($uri))
		{
			return '/';
		}
		//返回这个url的path部分。
		$uri = parse_url($uri, PHP_URL_PATH);

		// Do some final cleaning of the URI and return it
		// 将uri中的// ../替换成 / 返回
		return str_replace(array('//', '../'), '/', trim($uri, '/'));
	}

	// --------------------------------

	/**
	 * Parse cli arguments
	 * 解析cli参数
	 * Take each command line argument and assume it is a URI segment.
	 * 如果你在命令行中这么操作

	 * php d:/wamp/www/CodeIgniter/index.php welcome index

	 * _parse_cli_args() 返回一个 /welcome/index的字符串
	 * 
	 * @access	private
	 * @return	string
	 */
	private function _parse_cli_args()
	{
		// 返回在命令行模式下运行时传递的参数。
		// 因为第一个参数是当前文件名,所以从第二个开始才是我们要获取的。
		$args = array_slice($_SERVER['argv'], 1);
		
		//返回一个由'/'字符串拼接的字符串,因为$this->uri_string是一个字符串。
		return $args ? '/' . implode('/', $args) : '';
	}

	// --------------------------------

	/**
	 * Filter segments 段 for malicious 恶意 characters
	 * 过滤不合法字符
	 * @access	private
	 * @param	string
	 * @return	string
	 */
	function _filter_uri($str)
	{
		if ($str != '' && $this->config->item('permitted_uri_chars') != '' && $this->config->item('enable_query_strings') == FALSE)
		{
			// preg_quote() in PHP 5.3 escapes -, so the str_replace() and addition of - to preg_quote() is to maintain 维持 backwards 向后
			// compatibility 兼容性 as many are unaware 不知道的 of how characters in the permitted_uri_chars will be parsed as a regex pattern
			// 大概意思是 由于php5.3.0	 字符 - 被增加为需要转义的。 所以这里在使用str_replace()要添加preg_quote()来对-进行转义
			if ( ! preg_match("|^[".str_replace(array('\\-', '\-'), '-', preg_quote($this->config->item('permitted_uri_chars'), '-'))."]+$|i", $str))
			{
				show_error('The URI you submitted has disallowed characters.', 400);
			}
		}

		// Convert programatic characters to entities
		// 转换字符实体
		$bad	= array('$',		'(',		')',		'%28',		'%29');
		$good	= array('$',	'(',	')',	'(',	')');

		return str_replace($bad, $good, $str);
	}

	// --------------------------------

	/**
	 * Remove the suffix from the URL if needed
	 * // 去掉url的我们自定义的后缀。
	 * @access	private
	 * @return	void
	 */
	function _remove_url_suffix()
	{
		if  ($this->config->item('url_suffix') != "")
		{
			$this->uri_string = preg_replace("|".preg_quote($this->config->item('url_suffix'))."$|", "", $this->uri_string);
		}
	}

	// --------------------------------

	/**
	 * Explode the URI Segments. The individual segments will
	 * be stored in the $this->segments array.
	 * 将uri拆分正段同时对每个段进行过滤,并存入$this->segments[]中
	 * @access	private
	 * @return	void
	 */
	function _explode_segments()
	{
		foreach (explode("/", preg_replace("|/*(.+?)/*$|", "\\1", $this->uri_string)) as $val)
		{
			// Filter segments for security
			$val = trim($this->_filter_uri($val));

			if ($val != '')
			{
				$this->segments[] = $val;
			}
		}
	}

	// --------------------------------
	/**
	 * Re-index Segments 重新索引段
	 * 使得出来的段以下标1开始保存。这样做可以更简单的使用使用因为段数组和真实的段有个1:1的关系
	 * This function re-indexes the $this->segment array so that it
	 * starts at 1 rather than 0.  Doing so makes it simpler to
	 * use functions like $this->uri->segment(n) since there is 
	 * a 1:1 relationship 关系 between the segment array and the actual 真实的 segments.
	 *
	 * @access	private
	 * @return	void
	 */
	function _reindex_segments()
	{
		array_unshift($this->segments, NULL);
		array_unshift($this->rsegments, NULL);
		unset($this->segments[0]);
		unset($this->rsegments[0]);
	}

	// --------------------------------

	/**
	 * Fetch a URI Segment
	 * 获取一个uri段
	 * This function returns the URI segment based on the number provided.提供
	 * 这个函数返回一个基于提供的数字uri段
	 * @access	public
	 * @param	integer
	 * @param	bool
	 * @return	string
	 */
	function segment($n, $no_result = FALSE)
	{
		return ( ! isset($this->segments[$n])) ? $no_result : $this->segments[$n];
	}

	// --------------------------------

	/**
	 * Fetch a URI "routed" Segment
	 * 返回确定路由后的某一段
	 * This function returns the re-routed URI segment (assuming 假设 routing rules 规则 are used)
	 * based on the number provided.  If there is no routing this function returns the
	 * same result as $this->segment()
	 * 这个函数返回一个已经路由的基于提供的数字的uri段(假设路由规则已经使用的)
	 * 如果还没与路由这个函数将和$this->segment()是一样的
	 *
	 * @access	public
	 * @param	integer
	 * @param	bool
	 * @return	string
	 */
	function rsegment($n, $no_result = FALSE)
	{
		return ( ! isset($this->rsegments[$n])) ? $no_result : $this->rsegments[$n];
	}

	// --------------------------------

	/**
	 * Generate 产生 a key value pair 一对 from the URI string
	 * 根据uri字符串产生一个键值对的数组
	 *
	 * This function generates and associative 关联的 array of URI data starting
	 * at the supplied 由。。。提供 segment. For example, if this is your URI:
	 * 
	 *	example.com/user/search/name/joe/location/UK/gender/male
	 *
	 * You can use this function to generate an array with this prototype:
	 *
	 * array (
	 *			name => joe
	 *			location => UK
	 *			gender => male
	 *		 )
	 * 这个函数由uri段产生一个关联数组
	 * 例子:如果你的uri是这样的
	 * example.com/user/search/name/joe/location/UK/gender/male
	 * 那么将产生一个这样的原型
	 * array (
	 *			name => joe
	 *			location => UK
	 *			gender => male
	 *		 )
	 * @access	public
	 * @param	integer	the starting segment number
	 * @param	array	an array of default values
	 * @return	array
	 */
	function uri_to_assoc($n = 3, $default = array())
	{
		return $this->_uri_to_assoc($n, $default, 'segment');
	}
	/**
	 * Identical 完全相同的事物 to above only it uses the re-routed segment array
	 * 跟上一个函数是完全相同的只是它冲洗路由了段数组 (注意看第三个参数)
	 * @access 	public
	 * @param 	integer	the starting segment number
	 * @param 	array	an array of default values
	 * @return 	array
	 *
	 */
	function ruri_to_assoc($n = 3, $default = array())
	{
		return $this->_uri_to_assoc($n, $default, 'rsegment');
	}

	// --------------------------------

	/**
	 * Generate a key value pair from the URI string or Re-routed URI string
	 * 根据uri字符串或者重新路由的uri字符串产生一个键值对数组
	 * @access	private
	 * @param	integer	the starting segment number 起始段号
	 * @param	array	an array of default values
	 * @param	string	which array we should use
	 * @return	array
	 */
	function _uri_to_assoc($n = 3, $default = array(), $which = 'segment')
	{
		// 区分段数组是不是重新路由的。
		if ($which == 'segment')
		{
			$total_segments = 'total_segments';
			$segment_array = 'segment_array';
		}
		else
		{
			$total_segments = 'total_rsegments';
			$segment_array = 'rsegment_array';
		}
		// $n 是不是一个数字
		if ( ! is_numeric($n))
		{
			return $default;
		}
		
		// 缓存uri段列表中是够存在$n这个key
		if (isset($this->keyval[$n]))
		{
			return $this->keyval[$n];
		}

		// 总段数小于$n 
		if ($this->$total_segments() $segment_array(), ($n - 1));

		$i = 0;
		$lastval = '';
		$retval  = array();
		foreach ($segments as $seg)
		{
			if ($i % 2)
			{
				$retval[$lastval] = $seg;
			}
			else
			{
				$retval[$seg] = FALSE;
				$lastval = $seg;
			}

			$i++;
		}

		if (count($default) > 0)
		{
			foreach ($default as $val)
			{
				if ( ! array_key_exists($val, $retval))
				{
					$retval[$val] = FALSE;
				}
			}
		}

		// Cache the array for reuse
		// 缓存数组一遍重用
		$this->keyval[$n] = $retval;
		return $retval;
	}

	// --------------------------------

	/**
	 * Generate a URI string from an associative 关联数组 array
	 * 根据一个关联数组产生一个uri字符串
	 *
	 * @access	public
	 * @param	array	an associative array of key/values
	 * @return	array
	 */
	function assoc_to_uri($array)
	{
		$temp = array();
		foreach ((array)$array as $key => $val)
		{
			$temp[] = $key;
			$temp[] = $val;
		}

		return implode('/', $temp);
	}

	// --------------------------------

	/**
	 * Fetch a URI Segment and add a trailing 后面的,尾随 slash
	 * 获取一个uri段并且添加一个/
	 *
	 * @access	public
	 * @param	integer
	 * @param	string
	 * @return	string
	 */
	function slash_segment($n, $where = 'trailing')
	{
		return $this->_slash_segment($n, $where, 'segment');
	}

	// --------------------------------

	/**
	 * Fetch a URI Segment and add a trailing slash
	 * 获取一个已经路由的uri段并且添加/
	 * @access	public
	 * @param	integer
	 * @param	string
	 * @return	string
	 */
	function slash_rsegment($n, $where = 'trailing')
	{
		return $this->_slash_segment($n, $where, 'rsegment');
	}

	// --------------------------------

	/**
	 * Fetch a URI Segment and add a trailing slash - helper function
	 *
	 * @access	private
	 * @param	integer
	 * @param	string
	 * @param	string
	 * @return	string
	 */
	function _slash_segment($n, $where = 'trailing', $which = 'segment')
	{
		$leading	= '/';
		$trailing	= '/';

		if ($where == 'trailing')
		{
			$leading	= '';
		}
		elseif ($where == 'leading')
		{
			$trailing	= '';
		}

		return $leading.$this->$which($n).$trailing;
	}

	// --------------------------------

	/**
	 * Segment Array
	 * 获取段数组
	 * @access	public
	 * @return	array
	 */
	function segment_array()
	{
		return $this->segments;
	}

	// --------------------------------

	/**
	 * Routed Segment Array
	 * 获取已经路由的段数组
	 * @access	public
	 * @return	array
	 */
	function rsegment_array()
	{
		return $this->rsegments;
	}

	// --------------------------------

	/**
	 * Total number of segments
	 * 获取段总数
	 * @access	public
	 * @return	integer
	 */
	function total_segments()
	{
		return count($this->segments);
	}

	// --------------------------------

	/**
	 * Total number of routed segments
	 * 获取已经路由的段的总数
	 * @access	public
	 * @return	integer
	 */
	function total_rsegments()
	{
		return count($this->rsegments);
	}

	// --------------------------------

	/**
	 * Fetch the entire URI string
	 *
	 * @access	public
	 * @return	string
	 */
	function uri_string()
	{
		return $this->uri_string;
	}


	// --------------------------------

	/**
	 * Fetch the entire Re-routed URI string
	 *
	 * @access	public
	 * @return	string
	 */
	function ruri_string()
	{
		return '/'.implode('/', $this->rsegment_array());
	}

}
// END URI Class

/* End of file URI.php */
/* Location: ./system/core/URI.php */


陳述
本文內容由網友自願投稿,版權歸原作者所有。本站不承擔相應的法律責任。如發現涉嫌抄襲或侵權的內容,請聯絡admin@php.cn
PHP:服務器端腳本語言的簡介PHP:服務器端腳本語言的簡介Apr 16, 2025 am 12:18 AM

PHP是一種服務器端腳本語言,用於動態網頁開發和服務器端應用程序。 1.PHP是一種解釋型語言,無需編譯,適合快速開發。 2.PHP代碼嵌入HTML中,易於網頁開發。 3.PHP處理服務器端邏輯,生成HTML輸出,支持用戶交互和數據處理。 4.PHP可與數據庫交互,處理表單提交,執行服務器端任務。

PHP和網絡:探索其長期影響PHP和網絡:探索其長期影響Apr 16, 2025 am 12:17 AM

PHP在過去幾十年中塑造了網絡,並將繼續在Web開發中扮演重要角色。 1)PHP起源於1994年,因其易用性和與MySQL的無縫集成成為開發者首選。 2)其核心功能包括生成動態內容和與數據庫的集成,使得網站能夠實時更新和個性化展示。 3)PHP的廣泛應用和生態系統推動了其長期影響,但也面臨版本更新和安全性挑戰。 4)近年來的性能改進,如PHP7的發布,使其能與現代語言競爭。 5)未來,PHP需應對容器化、微服務等新挑戰,但其靈活性和活躍社區使其具備適應能力。

為什麼要使用PHP?解釋的優點和好處為什麼要使用PHP?解釋的優點和好處Apr 16, 2025 am 12:16 AM

PHP的核心優勢包括易於學習、強大的web開發支持、豐富的庫和框架、高性能和可擴展性、跨平台兼容性以及成本效益高。 1)易於學習和使用,適合初學者;2)與web服務器集成好,支持多種數據庫;3)擁有如Laravel等強大框架;4)通過優化可實現高性能;5)支持多種操作系統;6)開源,降低開發成本。

揭穿神話:PHP真的是一種死語嗎?揭穿神話:PHP真的是一種死語嗎?Apr 16, 2025 am 12:15 AM

PHP沒有死。 1)PHP社區積極解決性能和安全問題,PHP7.x提升了性能。 2)PHP適合現代Web開發,廣泛用於大型網站。 3)PHP易學且服務器表現出色,但類型系統不如靜態語言嚴格。 4)PHP在內容管理和電商領域仍重要,生態系統不斷進化。 5)通過OPcache和APC等優化性能,使用OOP和設計模式提升代碼質量。

PHP與Python辯論:哪個更好?PHP與Python辯論:哪個更好?Apr 16, 2025 am 12:03 AM

PHP和Python各有優劣,選擇取決於項目需求。 1)PHP適合Web開發,易學,社區資源豐富,但語法不夠現代,性能和安全性需注意。 2)Python適用於數據科學和機器學習,語法簡潔,易學,但執行速度和內存管理有瓶頸。

PHP的目的:構建動態網站PHP的目的:構建動態網站Apr 15, 2025 am 12:18 AM

PHP用於構建動態網站,其核心功能包括:1.生成動態內容,通過與數據庫對接實時生成網頁;2.處理用戶交互和表單提交,驗證輸入並響應操作;3.管理會話和用戶認證,提供個性化體驗;4.優化性能和遵循最佳實踐,提升網站效率和安全性。

PHP:處理數據庫和服務器端邏輯PHP:處理數據庫和服務器端邏輯Apr 15, 2025 am 12:15 AM

PHP在數據庫操作和服務器端邏輯處理中使用MySQLi和PDO擴展進行數據庫交互,並通過會話管理等功能處理服務器端邏輯。 1)使用MySQLi或PDO連接數據庫,執行SQL查詢。 2)通過會話管理等功能處理HTTP請求和用戶狀態。 3)使用事務確保數據庫操作的原子性。 4)防止SQL注入,使用異常處理和關閉連接來調試。 5)通過索引和緩存優化性能,編寫可讀性高的代碼並進行錯誤處理。

您如何防止PHP中的SQL注入? (準備的陳述,PDO)您如何防止PHP中的SQL注入? (準備的陳述,PDO)Apr 15, 2025 am 12:15 AM

在PHP中使用預處理語句和PDO可以有效防範SQL注入攻擊。 1)使用PDO連接數據庫並設置錯誤模式。 2)通過prepare方法創建預處理語句,使用佔位符和execute方法傳遞數據。 3)處理查詢結果並確保代碼的安全性和性能。

See all articles

熱AI工具

Undresser.AI Undress

Undresser.AI Undress

人工智慧驅動的應用程序,用於創建逼真的裸體照片

AI Clothes Remover

AI Clothes Remover

用於從照片中去除衣服的線上人工智慧工具。

Undress AI Tool

Undress AI Tool

免費脫衣圖片

Clothoff.io

Clothoff.io

AI脫衣器

AI Hentai Generator

AI Hentai Generator

免費產生 AI 無盡。

熱門文章

R.E.P.O.能量晶體解釋及其做什麼(黃色晶體)
4 週前By尊渡假赌尊渡假赌尊渡假赌
R.E.P.O.最佳圖形設置
4 週前By尊渡假赌尊渡假赌尊渡假赌
R.E.P.O.如果您聽不到任何人,如何修復音頻
4 週前By尊渡假赌尊渡假赌尊渡假赌
R.E.P.O.聊天命令以及如何使用它們
4 週前By尊渡假赌尊渡假赌尊渡假赌

熱工具

Atom編輯器mac版下載

Atom編輯器mac版下載

最受歡迎的的開源編輯器

Safe Exam Browser

Safe Exam Browser

Safe Exam Browser是一個安全的瀏覽器環境,安全地進行線上考試。該軟體將任何電腦變成一個安全的工作站。它控制對任何實用工具的訪問,並防止學生使用未經授權的資源。

禪工作室 13.0.1

禪工作室 13.0.1

強大的PHP整合開發環境

SublimeText3 英文版

SublimeText3 英文版

推薦:為Win版本,支援程式碼提示!

記事本++7.3.1

記事本++7.3.1

好用且免費的程式碼編輯器