The parse_url function in PHP is used to parse a URL into its components such as scheme, host, path, query, and more. However, it doesn’t have a direct feature for modifying or adding parameters to a URL. To achieve that, you need to manually manipulate the parsed components and then reassemble the URL. Here’s how you can do it:
<?php // Original URL $url = "https://www.example.com/page?param1=value1"; // Parse the URL $parsed_url = parse_url($url); // Add or modify a parameter $additional_params = array( "param2" => "value2", "param3" => "value3" ); // Merge the additional parameters with existing query parameters if (isset($parsed_url["query"])) { parse_str($parsed_url["query"], $query_params); $merged_params = array_merge($query_params, $additional_params); } else { $merged_params = $additional_params; } // Build the new query string $new_query = http_build_query($merged_params); // Update the parsed URL with the new query string $parsed_url["query"] = $new_query; // Reassemble the URL $new_url = $parsed_url["scheme"] . "://" . $parsed_url["host"] . $parsed_url["path"]; if (!empty($new_query)) { $new_url .= "?" . $new_query; } if (isset($parsed_url["fragment"])) { $new_url .= "#" . $parsed_url["fragment"]; } echo "Original URL: " . $url . "\n"; echo "Modified URL: " . $new_url . "\n"; ?>
In this example, the parse_url function is used to extract the components of the original URL. Then, additional parameters are merged with the existing query parameters (if any). The http_build_query function is used to build the new query string, and the components are reassembled into a new URL.
Keep in mind that this is a basic example and may need adjustments based on the specific URL structure and requirements of your application. Additionally, URL encoding might be necessary when dealing with parameter values that contain special characters or spaces.