eBay Finding API
 

Getting Started with the Finding API: Finding Items by Keywords

This tutorial shows how easy it is to use the Finding API. The tutorial shows you how to build a simple PHP application that submits a findItemsByKeywords call to search for eBay listings based on a keyword query. The code constructs a URL-format HTTP GET call that returns an XML response. The PHP program parses the XML response and constructs a simple HTML page that shows the results of the search.

After completing the tutorial, you'll have an application that displays an HTML page that looks similar to the following when it runs:

Getting Started with the Finding API

For notes about the tutorial, additional resources, and suggestions for next steps, please see Notes and Next Steps.



What's in this Tutorial

This tutorial contains the following sections:

Back to top

Complete Source Code

The completed code is provided as a downloadable ZIP file, GettingStarted_PHP_NV_XML.zip. To run the program, you must replace instances of "MyAppID" in the tutorial code with your production AppID.

Back to top

Before You Begin

There are a few prerequisites for completing this tutorial:

Back to top

Step 1: Set up the API call

In this step, you set up the basic PHP code to construct the API request and the HTML code for displaying the results.

To create the initial code for your Finding API call:

  1. Create a new PHP file, MySample.php, with the following code:

    <?php
    
    ?>
    <!-- Build the HTML page with values from the call response -->
    <html>
    <head>
    <title>eBay Search Results for <?php echo $query; ?></title>
    <style type="text/css">body { font-family: arial,sans-serif;} </style>
    </head>
    <body>
    
    <h1>eBay Search Results for <?php echo $query; ?></h1>
    
    <table>
    <tr>
      <td>
        <?php echo $results;?>
      </td>
    </tr>
    </table>
    
    </body>
    </html>
    

    Save the file as MySample.php in the DocumentRoot directory of your Apache installation (for example, C:\Program Files\Apache Software Foundation\Apache2.2\htdocs). The file includes the PHP container (<?php ... ?>) where you'll add the code to make an API request and parse the response. It also includes the HTML code to display the data parsed from the XML response.

  2. Plan the values for the findItemsByKeywords input parameters.

    Standard Parameter     Sample value Description
    OPERATION-NAME findItemsByKeywords The name of the call you are using. This is hard-coded to findItemsByKeywords in the following step.
    SERVICE-VERSION 1.0.0 The API version your application supports.
    SECURITY-APPNAME MyAppID The AppID you obtain by joining the eBay Developers Program.
    GLOBAL-ID EBAY-US The eBay site you want to search. For example, the eBay US site (EBAY-US) or the eBay Germany site (EBAY-DE).

    Call-Specific Parameter Sample value Description
    keywords harry potter The string of words you want to match with eBay item information, such as titles. The $safequery variable (added in the next step) will URL-encode your query keywords to replace spaces and special characters so the query will work in a URL request.
    paginationInput.entriesPerPage 3 The maximum number of items to return in the response. This is hard-coded as 3 in the program code.

  3. Add the code to construct the API request.

    This code contains the following:

    • The error reporting level for the program.
    • API request variables for input parameter values from the preceding step, including the query keywords and your AppID
    • API call variable, $apicall, constructed with values from the declared variables
    Note: You must replace the "MyAppID" value for the $appid variable with your Production AppID. Retrieve your AppID from your My Account page.

    Enter the following code inside the PHP tags (<?php ... ?> at the top of the file.

    error_reporting(E_ALL);  // Turn on all errors, warnings and notices for easier debugging
    
    // API request variables
    $endpoint = 'http://svcs.ebay.com/services/search/FindingService/v1';  // URL to call
    $version = '1.0.0';  // API version supported by your application
    $appid = 'MyAppID';  // Replace with your own AppID
    $globalid = 'EBAY-US';  // Global ID of the eBay site you want to search (e.g., EBAY-DE)
    $query = 'harry potter';  // You may want to supply your own query
    $safequery = urlencode($query);  // Make the query URL-friendly
    
    // Construct the findItemsByKeywords HTTP GET call
    $apicall = "$endpoint?";
    $apicall .= "OPERATION-NAME=findItemsByKeywords";
    $apicall .= "&SERVICE-VERSION=$version";
    $apicall .= "&SECURITY-APPNAME=$appid";
    $apicall .= "&GLOBAL-ID=$globalid";
    $apicall .= "&keywords=$safequery";
    $apicall .= "&paginationInput.entriesPerPage=3";
    
  4. Replace MyAppID in the API request variables code with your Production AppID.

    Important: This tutorial uses the production endpoint for the Finding API, so you must use your production AppID for the application to work. The request will fail if a Sandbox AppID is used.

    $appid = 'MyAppID';  // Replace with your own AppID
    

The tutorial code is not yet ready to run. Proceed to the next step to add the code that submits the API request and parses the response.

Back to top

Step 2: Add code to parse and display the call response

In this step you will add code to store and then display the items returned.

Here is the URL used for your Finding API call, as described in Step 1:

http://svcs.ebay.com/services/search/FindingService/v1?OPERATION-NAME=findItemsByKeywords&SERVICE-VERSION=1.0.0&SECURITY-APPNAME=MyAppID&GLOBAL-ID=EBAY-US&keywords=harry+potter&paginationInput.entriesPerPage=3

The response data is returned in XML format by default.

In this step you will add code to parse the call response and display the items returned.

  1. Add PHP code to parse the API call response and write the HTML to display the results.

    The following PHP code creates rows to add to the HTML table in the HTML body of the MySample.php file. The code loops through the array of items in the search results, adding a new row to the table for each item. Each row consists of the item's gallery image and title. The title links to the item's View Item page.

    Add the following code just after the last line of the $apicall variable ($apicall .= "&paginationInput.entriesPerPage=3";).

    // Load the call and capture the document returned by eBay API
    $resp = simplexml_load_file($apicall);
    
    // Check to see if the request was successful, else print an error
    if ($resp->ack == "Success") {
      $results = '';
      // If the response was loaded, parse it and build links
      foreach($resp->searchResult->item as $item) {
        $pic   = $item->galleryURL;
        $link  = $item->viewItemURL;
        $title = $item->title;
    
        // For each SearchResultItem node, build a link and append it to $results
        $results .= "<tr><td><img src=\"$pic\"></td><td><a href=\"$link\">$title</a></td></tr>";
      }
    }
    // If the response does not indicate 'Success,' print an error
    else {
      $results  = "<h3>Oops! The request was not successful. Make sure you are using a valid ";
      $results .= "AppID for the Production environment.</h3>";
    }
    
  2. Save the MySample.php file.

This file is now runnable, but we're not done yet. Skip ahead to Step 4 to see what it looks like, or proceed to the next step to add item filters to the request.

Back to top

Step 3: Insert an indexed array of item filters

This step adds item filters to your request. This is done by first creating a PHP array of the item filters. A function then uses this array to create an indexed URL format snippet for use in the URL reqeust. Whenever you use repeating fields in a URL-format request, you must index the fields for them to be properly processed.

You can reuse this function or a function like it to process item filters submitted through a web form.

  1. Create a PHP array of item filters.

    Add the following array after the variable declarations (i.e., after the line starting with $safequery). This array contains three item filters: MaxPrice, FreeShippingOnly, and ListingType.

    // Create a PHP array of the item filters you want to use in your request
    $filterarray =
      array(
        array(
        'name' => 'MaxPrice',
        'value' => '25',
        'paramName' => 'Currency',
        'paramValue' => 'USD'),
        array(
        'name' => 'FreeShippingOnly',
        'value' => 'true',
        'paramName' => '',
        'paramValue' => ''),
        array(
        'name' => 'ListingType',
        'value' => array('AuctionWithBIN','FixedPrice'),
        'paramName' => '',
        'paramValue' => ''),
      );
    
  2. Add a function to build an indexed item filter array for use with a URL request.

    This function parses the item filter array, formats the filters as indexed URL parameters, and assigns their collective value to a variable, $urlfilter.

    Add the following code directly after the array added in the preceding step ($filterarray = array( ... );).

    // Generates an indexed URL snippet from the array of item filters
    function buildURLArray ($filterarray) {
      global $urlfilter;
      global $i;
      // Iterate through each filter in the array
      foreach($filterarray as $itemfilter) {
        // Iterate through each key in the filter
        foreach ($itemfilter as $key =>$value) {
          if(is_array($value)) {
            foreach($value as $j => $content) { // Index the key for each value
              $urlfilter .= "&itemFilter($i).$key($j)=$content";
            }
          }
          else {
            if($value != "") {
              $urlfilter .= "&itemFilter($i).$key=$value";
            }
          }
        }
        $i++;
      }
      return "$urlfilter";
    } // End of buildURLArray function
    
    // Build the indexed item filter URL snippet
    buildURLArray($filterarray);
    
  3. Add a variable declaration for the item filter index to initialize its value as 0.

    Add the following line to the variable section at the top of the file directly after the $safequery entry.

    $i = '0';  // Initialize the item filter index to 0
    
  4. Add the variable for the item filters to the end of the code used to construct the API call.

    Add the following line to the end of the $apicall variable, directly after the line that adds pagination to the call ($apicall .= "&paginationInput.entriesPerPage=3";).

    $apicall .= "$urlfilter";
    
  5. Save the MySample.php file.

The MySample.php file is complete! Proceed to the next step to see the results.

Back to top

Step 4: Run the code

Open the file in a browser (http://localhost/MySample.php).

The result should look similar to the following:

Getting Started with the Finding API

Congratulations! You have used the Finding API to search for items on eBay and to display the search results to a user.

For information about the business benefits of using the eBay Developers Program and for other important information, please see the Business Benefits page.

Back to top

Notes and Next Steps

This section contains notes about the tutorial and suggestions.

eBay Partner Network (eBay Affiliate Program)

You can earn money with the eBay Partner Network (eBay Affiliate Program)! Send users to eBay, and earn money for new active users (ACRUs) and successful transactions. For more information, visit the eBay Partner Network. This tutorial contains affiliate-related code. The code is commented-out because affiliate functionality is not available in the Sandbox environment.

For information about the URL parameters for affiliate tracking, see the Affiliate Tracking section in the Finding API Users Guide.

About the Application

The sample provided with this tutorial was built and tested on a Windows platform using PHP 5.3 for Win32 and Apache 2.2.4 for Windows.

About the Call

This tutorial is based on the findItemsByKeywords call. See findItemsByKeywords in the API Reference for descriptions of all the input and output parameters, call samples, and other information.

If you want your application to display the assembled URL request that is being sent to eBay, add the following PHP/HTML code just before the closing body tag (i.e., </body>):

<p><b>API request used (click URL to view XML response):</b></p>
<p><a href="<?php echo $apicall;?>"><?php echo $apicall;?></a></p>

You can adapt this tutorial code to other Finding API calls easily by changing the value of OPERATION-NAME to the call you want to use. Note that findItemsByCategory and findItemsByProduct do not support keywords as input.

What's Next

Here are some suggestions for ways you could modify or extend the tutorial code to learn more about the API and create a more interesting application:

Back to top

Additional Resources

More information about the Finding API is available at these locations:

Back to top