🤖 A fully featured, easy to use Python wrapper for the Walmart Open API

Overview

Wapy

Wapy is a fully featured Python wrapper for the Walmart Open API.

Features

  • Easy to use, object oriented interface to the Walmart Open API. (Products and Reviews are retrieved as objects)
  • Ready to use, parsed attributes. e.g. prices as float, no strings with escaped html entities, numbers as int.
  • Full support for Walmart Search API, Product Recommendation API, Post Browsed Products API, Trending API and more.
  • Get all responses with richAttributes='true' by default. This lets you get weight and dimensions right off the shelf.
  • Proper error handling according to original Walmart API documentation
  • Helper functions such as bestseller_products() and more from the Special Feeds section.
  • Silently fails when attribute not found in response
  • Fully documented source code
  • Support for Python 2.7, 3.2, 3.3, 3.4 and 3.5

Requirements

Before using Wapy, you want to make sure you have requests installed and a Walmart Open API key:

Installation

Installation via pip is recommended:

pip install wapy

You can also install it from source:

git clone https://github.com/caroso1222/wapy
cd wapy
python setup.py install

Basic usage

from wapy.api import Wapy

wapy = Wapy('your-walmart-api-key') # Create an instance of Wapy.

#### PRODUCT LOOKUP ####
product = wapy.product_lookup('21853453') # Perform a product lookup using the item ID.
print (product.name) # Apple EarPods with Remote and Mic MD827LLA
print (product.weight) # 1.0
print (product.customer_rating) # 4.445
print (product.medium_image) # https://i5.walmartimages.com/asr/6cd9c...

#### PRODUCT SEARCH ####
products = wapy.search('xbox')
for product in products:
    print (product.name)

#### PRODUCT REVIEWS ####
reviews = wapy.product_reviews('21853453')
for review in reviews:
    print (review.reviewer)

This example barely shows the power of Wapy. Read the API documentation to discover all you can achieve with this library.

API documentation

class Wapy

This class models the main Walmart API proxy class and offers services such as product lookup, product search, trending products retrieval, and much more.

Methods

__init__([api_key], **kwargs)

Initialize a Walmart API Proxy.

Params#####
  • api_key A string representing the Walmart Open API key. Can be found in 'My Account' when signing in your Walmartlabs account.
  • Named optional params passed in kwargs:
    • LinkShareID Your own LinkShare ID. It can be found in any link you generate from the LinkShare platform after the 'id=' parameter. It is an 11 digit alphanumeric string.

product_lookup([item_id], **kwargs)

Walmart product lookup.

Params
  • item_id A string representing the product item id.
  • Named optional params passed in kwargs:
    • richAttributes A boolean to specify whether you want to get your reponse with rich attributes or not. It's True by default.
Return

An instance of WalmartProduct. <[WalmartProduct]>

search([query], **kwargs)

Search allows text search on the Walmart.com catalogue and returns matching items available for sale online.

This implementation doesn't take into account the start parameter from the actual Walmart specification. Instead, I've abstracted the same concept to a paginated approach. You can specify which 'page' of results you get, according to the numItems you expect from every page.

Params
  • query Search text - whitespace separated sequence of keywords to search for
  • Unnamed params passed in kwargs:
    • numItems Number of matching items to be returned, max value 25. Default is 10.
    • page Number of page retrieved. Each page contains [numItems] elements. If no numItems is specified, a default page contains 10 elements.
    • categoryId Category id of the category for search within a category. This should match the id field from Taxonomy API
    • sort Sorting criteria, allowed sort types are [relevance, price, title, bestseller, customerRating, new]. Default sort is by relevance.
    • order Sort ordering criteria, allowed values are [asc, desc]. This parameter is needed only for the sort types [price, title, customerRating].
    • responseGroup Specifies the item fields returned in the response, allowed response groups are [base, full]. Default value is base.
    • facet Boolean flag to enable facets. Default value is off. Set this to on to enable facets.
    • facet.filter Filter on the facet attribute values. This parameter can be set to : (without the angles). Here facet-name and facet-value can be any valid facet picked from the search API response when facets are on.
    • facet.range Range filter for facets which take range values, like price. See usage above in the examples.
Return

A list of WalmartProduct instances. <[WalmartProduct]>

####product_recommendations([item_id]) Returns a list of a product's related products. A maximum of 10 items are returned, being ordered from most relevant to least relevant for the customer.

Params
  • item_id The id of the product from which the related products are returned
Return

A list of WalmartProduct instances. <[WalmartProduct]>

post_browsed_products([item_id])

Returns a list of recommended products based on their product viewing history. A maximum of 10 items are returned, being ordered from most relevant to least relevant for the customer.

Params
  • item_id The id of the product from which the post browsed products are returned
Return

A list of WalmartProduct instances. <[WalmartProduct]>

product_reviews([item_id])

Returns the list of reviews written by Walmart users for a specific item.

Params
  • item_id The id of the product which reviews are returned from
Return

A list of WalmartProductReview instances. <[WalmartProductReview]>

trending_products()

Returns a list of items according to what is bestselling on Walmart.com right now. The items are curated on the basis of user browse activity and sales activity, and updated multiple times a day.

Return

A list of WalmartProduct instances. <[WalmartProduct]>

bestseller_products([category])

Return a list of bestselling items in their respective categories on Walmart.com. This method is part of the Special Feeds section of the Walmart API.

Params
  • category The number id of the category from which the products are retrieved.
Return

A list of WalmartProduct instances. <[WalmartProduct]>

clearance_products([category])

Return a list of all items on clearance from a category. This method is part of the Special Feeds section of the Walmart API.

Params
  • category The number id of the category from which the products are retrieved.
Return

A list of WalmartProduct instances. <[WalmartProduct]>

special_buy_products([category])

Return a list of all items on Special Buy on Walmart.com, which means there is a special offer on them. This method is part of the Special Feeds section of the Walmart API.

Params
  • category The number id of the category from which the products are retrieved.
Return

A list of WalmartProduct instances. <[WalmartProduct]>


class WalmartProduct

This class models a Walmart Product as an object. A WalmartProduct instance will be returned when performing a product_lookup from your Wapy instance.

Methods

get_attribute([name])

Returns any of the product attributes from the Full Response group. When using this method to get attribute values, you must parse the response to float or integer whenever needed. I don't recommend accessing attributes using this method. Direct attribute access is preferred. See Atributes section below.

Params
  • name Product attribute's name. Check out the Atributes section below to see allowed names.
Return

The product attribute value. <string>

get_images_by_size([size])

A list with all the images URLs. Primary image is always returned in the first position of the list.

Params
  • size Size of the desired images: possible options are: 'thumbnail', 'medium', 'large'.
Return

List with all the images URLs. <[string]>

Attributes

All properties return None if not found in the Walmart API response.

item_id

A positive integer that uniquely identifies an item. <string>

parent_item_id

Item Id of the base version for this item. This is present only if item is a variant of the base version, such as a different color or size. <string>

name

Standard name of the item. <string>

msrp

Manufacturer suggested retail price. <string>

sale_price

Selling price for the item in USD. <float>

upc

Unique Product Code. <string>

category_path

Product Category path: Breadcrumb for the item. This string describes the category level hierarchy that the item falls under. <string>

category_node

Category id for the category of this item. This value can be passed to APIs to pull this item's category level information. <string>

short_description

Short description for the item. <string>

long_description

Long description for the item. <string>

brand_name

Item's brand name. <string>

thumbnail_image

URL for the small sized image. This is a jpeg image with dimensions 100 x 100 pixels. <string>

medium_image

URL for the medium sized image. This is a jpeg image with dimensions 180 x 180 pixels. <string>

large_image

URL for the large sized image. This is a jpeg image with dimensions 450 x 450 pixels. <string>

images

A list with all the large size images URLs. Primary image is always returned in the first position of the list. <[string]>

product_tracking_url

Deep linked URL that directly links to the product page of this item on walmart.com. This link uniquely identifies the affiliate sending this request via a linkshare tracking id |LSNID|. The LSNID parameter needs to be replaced with your linkshare tracking id, and is used by us to correctly attribute the sales from your channel on walmart.com. Actual commission numbers will be made available through your linkshare account. <string>

Note: If you created a Wapy instance without explicitly setting LinkShareID, you'll get a NoLinkShareIDException exception when trying to access this property.

size

Size attribute for the item. <string>

color

Color attribute for the item. <string>

model_number

Model number attribute for the item. <string>

product_url

Walmart.com url for the item. <string>

available_online

Whether or not the item is currently available for sale on Walmart.com. <boolean>

stock

Indicative quantity of the item available online. Possible values are [Available, Limited Supply, Last few items, Not available]. <string>

Limited supply: can go out of stock in the near future, so needs to be refreshed for availability more frequently.

Last few items: can go out of stock very quickly, so could be avoided in case you only need to show available items to your users.

customer_rating

Average customer rating out of 5. <float>

num_reviews

Number of customer reviews available on this item on Walmart.com. <int>

weight

Indicates the weight of the item. <float>

length

Indicates the length of the item. First dimension returned by attribute dimensions e.g. dimensions: "2.0 x 3.0 x 4.0" would return 2.0 as length. <float>

width

Indicates the width of the item. Second dimension returned by attribute dimensions e.g. dimensions: "2.0 x 3.0 x 3.0" would return 3.0 as width. <float>

height

Indicates the height of the item. Third dimension returned by attribute dimensions e.g. dimensions: "2.0 x 3.0 x 4.0" would return 4.0 as height. <float>

color

Color attribute for the item. <string>


class WalmartProductReview

This class models a Walmart Product review as an object. A list containing WalmartProductReview instances will be returned when calling the method product_reviews from your Wapy instance.

Attributes

All properties return None if not found in the Walmart API response.

reviewer

Name/alias of the reviewer. <string>

review

The complete product review. <string> ####date The product review date. <string>

up_votes

Number of up votes for this review. <int>

down_votes

Number of down votes for this review. <int>

rating

Overall rating given by the reviewer. <int>

Contribution

There are still some things to do to make Wapy a super badass Python wrapper for the Walmart Open API:

  • Return reviews statistics
  • Return all the Special Feeds. Already implemented: Bestsellers, Clearance, Special Buy. Still not implemented:
    • preOrder
    • rollback
  • Get the categories taxonomy. Not sure whether or not this would be useful at all
  • Support for Data Feed API. Similar results can be achieved through the search method by passing a categoryId as an argument.
  • Unit testing

Please open up an issue and let me know what you're working on. Feel free to make a PR.

Credits

License

Wapy is under MIT licence

Owner
Carlos Roso
Software Engineer. Digital Nomad @toptal. Occasional Designer.
Carlos Roso
A super awesome Twitter API client for Python.

birdy birdy is a super awesome Twitter API client for Python in just a little under 400 LOC. TL;DR Features Future proof dynamic API with full REST an

Inueni 259 Dec 28, 2022
A simple Discord bot wrote with Python. Kizmeow let you track your NFT project and display some useful information

Kizmeow-OpenSea-and-Etherscan-Discord-Bot 中文版 | English Ver A Discord bot wrote with Python. Kizmeow let you track your NFT project and display some u

Xeift 93 Dec 31, 2022
A Telegram Userbot to play Audio and Video songs / files in Telegram Voice Chats

TG-MusicPlayer A Telegram Userbot to play Audio and Video songs / files in Telegram Voice Chats. It's made with PyTgCalls and Pyrogram Requirements Py

4 Jul 30, 2022
A simple program to display current playing from Spotify app on your desktop

WallSpot A simple program to display current playing from Spotify app on your desktop How to Use: Linux: Currently Supports GNOME and KDE. If you want

Nannan 4 Feb 19, 2022
Aqui está disponível GRATUITAMENTE, um bot de discord feito em python, saiba que, terá que criar seu bot como aplicação, e utilizar seu próprio token, e lembrando, é um bot básico, não se utiliza Cogs nem slash commands nele!

BotDiscordPython Aqui está disponível GRATUITAMENTE, um bot de discord feito em python, saiba que, terá que criar seu bot como aplicação, e utilizar s

Matheus Muguet 4 Feb 05, 2022
A small Python app to create Notion pages from Jira issues

Jira to Notion This little program will capture a Jira issue and create a corresponding Notion subpage. Mac users can fetch the current issue from the

Dr. Kerem Koseoglu 12 Oct 27, 2022
bot for hearthstone mercenaries

Hearthstone-Mercenaries-game-bot - prevention: Bot is not ready and now on the development stage estimated release date - 21.10.21 The main idea of th

Andrew Efimov 59 Dec 12, 2022
Robot to convert files to direct links, hosting files on Telegram servers, unlimited and without restrictions

stream-cloud demo : downloader_star_bot Run : Docker : install docker , docker-compose set Environment or edit Config/init.py docker-compose up Heroku

53 Dec 21, 2022
Talon accessibility - Experimental Talon integrations using macOS accessibility APIs

talon_accessibility Experimental Talon integrations using macOS accessibility AP

Phil Cohen 11 Dec 23, 2022
阿里云盘上传脚本

阿里云盘上传脚本 Author:李小恩 Github:https://github.com/Hidove/aliyundrive-uploader 如有侵权,请联系我删除 禁止用于非法用途,违者后果自负 环境要求 python3 使用方法 安装 git clone https://github.co

Hidove 301 Jan 01, 2023
Quickly edit your slack posts.

Lightning Edit Quickly edit your Slack posts. Heavily inspired by @KhushrajRathod's LightningDelete. Usage: Note: Before anything, be sure to head ove

Cole Wilson 14 Nov 19, 2021
DongTai API SDK For Python

DongTai-SDK-Python Quick start You need a config file config.json { "DongTai":{ "token":"your token", "url":"http://127.0.0.1:90"

huoxian 50 Nov 24, 2022
An Async Bot/API wrapper for Twitch made in Python.

TwitchIO is an asynchronous Python wrapper around the Twitch API and IRC, with a powerful command extension for creating Twitch Chat Bots. TwitchIO co

TwitchIO 590 Jan 03, 2023
ApiMoedas - This API is a extesion of API

🪙 Api Moeda 🪙 Este projeto é uma extensão da API Awesome API. Basicamente, ele mostra todas as moedas que a Awesome API tem e todas as suas conversõ

Abel 4 May 29, 2022
Morpheus is a telegram bot that helps to simplify the process of making custom telegram stickers.

😎 Morpheus is a telegram bot that helps to simplify the process of making custom telegram stickers. As you may know, Telegram's official Sti

Abhijith K S 1 Dec 14, 2022
A powerful Lavalink library for Discord.py.

A robust and powerful Lavalink wrapper for Discord.py! Documentation Official Documentation. Support For support using WaveLink, please join the offic

Pythonista 254 Dec 29, 2022
Discord bot for Shran development

shranbot A discord bot named Herbert West that will monitor the Shran development discord server. Using dotenv shranbot uses a .env file to load secre

Matt Williams 1 Jul 29, 2022
A Bot to get RealTime Tweets to a Specific Chats from Desired Persons on Twitter to Telegram Chat.

TgTwitterStreamer A Bot to get RealTime Tweets to a Specific Chats from Desired Persons on Twitter to Telegram Chat. For Getting ENV's Refer this Link

Anonymous 69 Dec 20, 2022
Syrax Check User Bot Discord.py

Syrax-Check-User-Bot-Discord.py Guida Italiana il bot nasce con lo scopo di poter caricare il proprio nome utente,tag e foto profilo al forum tramite

Pippoide 0 Feb 04, 2022
Want to play What Would Rather on your Server? Invite the bot now!😏

What is this Bot? 👀 What You Would Rather? is a Guessing game where you guess one thing. Long Description short Take this example: You typed r!rather

丂ㄚ么乙ツ 2 Nov 17, 2021