search
HomeBackend DevelopmentPHP TutorialPHP code for remotely grabbing website images and saving them

Example, PHP code to capture website data.

  1. /**
  2. * A class for grabbing images
  3. *
  4. * @package default
  5. * @author WuJunwei
  6. */
  7. class download_image
  8. {
  9. public $save_path; //The save address of the captured image
  10. //The size limit of the captured image (unit: Bytes) Only capture images larger than size than this limit
  11. public $img_size=0;
  12. //Define a static array to record the hyperlink addresses that have been crawled to avoid repeated crawling
  13. public static $ a_url_arr=array();
  14. /**
  15. * @param String $save_path The save address of the captured image
  16. * @param Int $img_size The save address of the captured image
  17. */
  18. public function __construct($save_path,$img_size)
  19. {
  20. $this->save_path=$save_path;
  21. $this->img_size=$img_size ;
  22. }
  23. /**
  24. * Method of recursively downloading and capturing images of the homepage and its subpages (recursive)
  25. *
  26. * @param String $capture_url URL used to capture images
  27. *
  28. */
  29. public function recursive_download_images($capture_url)
  30. {
  31. if (!in_array($capture_url,self::$a_url_arr)) //Not captured
  32. {
  33. self: :$a_url_arr[]=$capture_url; //Counted into static array
  34. } else //After capture, exit the function directly
  35. {
  36. return;
  37. }
  38. $this->download_current_page_images($capture_url); //Download All pictures on the current page
  39. //Use @ to block warning errors caused by the inability to read the capture address
  40. $content=@file_get_contents($capture_url);
  41. //Match the regular pattern before ? in the href attribute of the a tag
  42. $a_pattern = "|]+href=['" ]?([^ '"?]+)['" >]|U";
  43. preg_match_all($a_pattern, $content, $a_out, PREG_SET_ORDER);
  44. $tmp_arr=array(); //Define an array to store the hyperlink address of the image captured under the current loop
  45. foreach ($a_out as $k => $v)
  46. {
  47. /**
  48. * Remove empty '', '#', '/' and duplicate values ​​​​in hyperlinks
  49. * 1: The value of the hyperlink address cannot be equal to the url of the current crawled page, otherwise it will fall into an infinite loop
  50. * 2: Hyperlink is '' or '#', '/' is also this page, which will also fall into an infinite loop,
  51. * 3: Sometimes a hyperlink address will appear multiple times in a web page. If it is not removed, it will cause damage to a sub-page. for repeated downloads)
  52. */
  53. if ( $v[1] && !in_array($v[1],self::$a_url_arr) &&!in_array($v[1],array('#',' /',$capture_url) ) )
  54. {
  55. $tmp_arr[]=$v[1];
  56. }
  57. }
  58. foreach ($tmp_arr as $k => $v)
  59. {
  60. //Hyperlink path address
  61. if ( strpos($v, 'http://')!==false ) //If the url contains http://, you can access it directly
  62. {
  63. $a_url = $v;
  64. }else //Otherwise the proof is Relative address, the access address of the hyperlink needs to be reassembled
  65. {
  66. $domain_url = substr($capture_url, 0,strpos($capture_url, '/',8)+1);
  67. $a_url=$domain_url.$v;
  68. }
  69. $this->recursive_download_images($a_url);
  70. }
  71. }
  72. /**
  73. * Download all images under the current webpage
  74. *
  75. * @param String $capture_url The webpage address used to capture images
  76. * @return Array An array of the url addresses of the img tags of all images on the current webpage
  77. */
  78. public function download_current_page_images($capture_url)
  79. {
  80. $content=@file_get_contents($capture_url); / /Shield warning errors
  81. // Match the regular part before ? in the src attribute of the img tag
  82. $img_pattern = "|PHP code for remotely grabbing website images and saving them]+src=['" ]?([^ '"?]+) ['" > ;'.$capture_url . "Total found" . $photo_num . " pictures";
  83. foreach ($img_out as $k => $v)
  84. {
  85. $this->save_one_img($capture_url ,$v[1]);
  86. }
  87. }
  88. /**
  89. * Method to save a single image
  90. *
  91. * @param String $capture_url The webpage address used to capture the image
  92. * @param String $img_url The url of the image that needs to be saved
  93. *
  94. */
  95. public function save_one_img($capture_url,$img_url)
  96. {
  97. //Picture path address
  98. if ( strpos($img_url, 'http://')!==false )
  99. {
  100. // $img_url = $img_url;
  101. }else
  102. {
  103. $domain_url = substr($capture_url, 0,strpos($capture_url, '/',8)+1);
  104. $img_url=$domain_url.$img_url ;
  105. }
  106. $pathinfo = pathinfo($img_url); //Get the picture path information
  107. $pic_name=$pathinfo['basename']; //Get the name of the picture
  108. if (file_exists($this->save_path.$ pic_name)) //If the image exists, it proves that it has been captured, exit the function
  109. {
  110. echo $img_url . 'The image has been captured !
    ';
  111. return;
  112. }
  113. //Read the image content into a string
  114. $img_data = @file_get_contents($img_url); //Block because the image address cannot be read Get the warning error caused by
  115. if ( strlen($img_data) > $this->img_size ) //Download pictures whose size is larger than the limit
  116. {
  117. $img_size = file_put_contents($this->save_path . $pic_name, $ img_data);
  118. if ($img_size)
  119. {
  120. echo $img_url . 'Image saved successfully!
    ';
  121. } else
  122. {
  123. echo $img_url . 'Failed to save image!
    ';
  124. }
  125. } else
  126. {
  127. echo $img_url . 'Image reading failed!
    ';
  128. }
  129. }
  130. } // END
  131. set_time_limit(120); //Set the maximum execution time of the script according to the situation
  132. $download_img=new download_image('E:/images/',0); //Instantiate the download image object
  133. $download_img->recursive_download_images('http://bbs.it-home.org/'); //Recursive capture image method
  134. //$download_img->download_current_page_images($_POST['capture_url']); / /Method to only grab the current page pictures
  135. ?>
Copy code


Statement
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
Working with Flash Session Data in LaravelWorking with Flash Session Data in LaravelMar 12, 2025 pm 05:08 PM

Laravel simplifies handling temporary session data using its intuitive flash methods. This is perfect for displaying brief messages, alerts, or notifications within your application. Data persists only for the subsequent request by default: $request-

cURL in PHP: How to Use the PHP cURL Extension in REST APIscURL in PHP: How to Use the PHP cURL Extension in REST APIsMar 14, 2025 am 11:42 AM

The PHP Client URL (cURL) extension is a powerful tool for developers, enabling seamless interaction with remote servers and REST APIs. By leveraging libcurl, a well-respected multi-protocol file transfer library, PHP cURL facilitates efficient execution of various network protocols, including HTTP, HTTPS, and FTP. This extension offers granular control over HTTP requests, supports multiple concurrent operations, and provides built-in security features.

Simplified HTTP Response Mocking in Laravel TestsSimplified HTTP Response Mocking in Laravel TestsMar 12, 2025 pm 05:09 PM

Laravel provides concise HTTP response simulation syntax, simplifying HTTP interaction testing. This approach significantly reduces code redundancy while making your test simulation more intuitive. The basic implementation provides a variety of response type shortcuts: use Illuminate\Support\Facades\Http; Http::fake([ 'google.com' => 'Hello World', 'github.com' => ['foo' => 'bar'], 'forge.laravel.com' =>

12 Best PHP Chat Scripts on CodeCanyon12 Best PHP Chat Scripts on CodeCanyonMar 13, 2025 pm 12:08 PM

Do you want to provide real-time, instant solutions to your customers' most pressing problems? Live chat lets you have real-time conversations with customers and resolve their problems instantly. It allows you to provide faster service to your custom

PHP Logging: Best Practices for PHP Log AnalysisPHP Logging: Best Practices for PHP Log AnalysisMar 10, 2025 pm 02:32 PM

PHP logging is essential for monitoring and debugging web applications, as well as capturing critical events, errors, and runtime behavior. It provides valuable insights into system performance, helps identify issues, and supports faster troubleshoot

Explain the concept of late static binding in PHP.Explain the concept of late static binding in PHP.Mar 21, 2025 pm 01:33 PM

Article discusses late static binding (LSB) in PHP, introduced in PHP 5.3, allowing runtime resolution of static method calls for more flexible inheritance.Main issue: LSB vs. traditional polymorphism; LSB's practical applications and potential perfo

Discover File Downloads in Laravel with Storage::downloadDiscover File Downloads in Laravel with Storage::downloadMar 06, 2025 am 02:22 AM

The Storage::download method of the Laravel framework provides a concise API for safely handling file downloads while managing abstractions of file storage. Here is an example of using Storage::download() in the example controller:

How to Register and Use Laravel Service ProvidersHow to Register and Use Laravel Service ProvidersMar 07, 2025 am 01:18 AM

Laravel's service container and service providers are fundamental to its architecture. This article explores service containers, details service provider creation, registration, and demonstrates practical usage with examples. We'll begin with an ove

See all articles

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 Tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

MantisBT

MantisBT

Mantis is an easy-to-deploy web-based defect tracking tool designed to aid in product defect tracking. It requires PHP, MySQL and a web server. Check out our demo and hosting services.

MinGW - Minimalist GNU for Windows

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.

WebStorm Mac version

WebStorm Mac version

Useful JavaScript development tools

Safe Exam Browser

Safe Exam Browser

Safe Exam Browser is a secure browser environment for taking online exams securely. This software turns any computer into a secure workstation. It controls access to any utility and prevents students from using unauthorized resources.